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 = '### '
 
 args
 
string comma = ","
 
string commandline = " "
 
 copyargs = sys.argv[:]
 
string dbs_quiery = "find run, file.numevents, file where dataset="
 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
 
int minI = options.minB*18160
 
 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

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 edm.print().

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 
S & print(S &os, JobReport::InputFile const &f)
Definition: JobReport.cc:66
def getGoodBRuns()
functions definitions
def findQualityFiles.getGoodQRuns ( )

obtaining list of good quality runs

Definition at line 275 of file findQualityFiles.py.

References createfilelist.int, and edm.print().

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
S & print(S &os, JobReport::InputFile const &f)
Definition: JobReport.cc:66
def findQualityFiles.getJSONGoodRuns ( )

obtain a list of good runs from JSON file

Definition at line 326 of file findQualityFiles.py.

References FrontierConditions_GlobalTag_cff.file, and createfilelist.int.

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
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

findQualityFiles.action

Definition at line 94 of file findQualityFiles.py.

string findQualityFiles.allOptions = '### '

Definition at line 191 of file findQualityFiles.py.

findQualityFiles.args

Definition at line 160 of file findQualityFiles.py.

string findQualityFiles.comma = ","
string findQualityFiles.commandline = " "

Definition at line 40 of file findQualityFiles.py.

findQualityFiles.copyargs = sys.argv[:]

Definition at line 34 of file findQualityFiles.py.

string findQualityFiles.dbs_quiery = "find run, file.numevents, file where dataset="

Find files for good runs.

Definition at line 398 of file findQualityFiles.py.

findQualityFiles.default

Definition at line 58 of file findQualityFiles.py.

findQualityFiles.dest

Definition at line 59 of file findQualityFiles.py.

findQualityFiles.dqDataset

Definition at line 173 of file findQualityFiles.py.

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

Definition at line 408 of file findQualityFiles.py.

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

Definition at line 430 of file findQualityFiles.py.

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

Definition at line 410 of file findQualityFiles.py.

findQualityFiles.help

Definition at line 54 of file findQualityFiles.py.

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

Definition at line 43 of file findQualityFiles.py.

findQualityFiles.jj = ''

Definition at line 188 of file findQualityFiles.py.

Referenced by CMSTopTagger._find_min_mass(), 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(), DDG4ProductionCuts.dd4hepInitialize(), CommissioningHistosUsingDb.detInfo(), DTTrigGeom.dumpGeom(), MatrixMeschach.EliminateColumns(), MatrixMeschach.EliminateLines(), energy_ieta(), energy_iphi(), DDBHMAngular.execute(), TkHistoMap.fill(), SiStripCommissioningSource.fillCablingHistos(), FittedEntriesSet.FillCorrelations(), FittedEntriesSet.FillEntriesAveragingSets(), SiPixelActionExecutor.fillFEDErrorSummary(), MELaserPrim.fillHistograms(), TrackAnalyzer.fillHistosForState(), Fit.FillMatricesWithMeasurements(), SiPixelActionExecutor.fillSummary(), l1t::TriggerMenuParser.getExternalSignals(), 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(), FittedEntriesManager.MakeHistos(), GlobalMuonTrackMatcher.match(), MatrixMeschach.operator*=(), MatrixMeschach.ostrDump(), l1t::TriggerMenuParser.parseCalo(), l1t::TriggerMenuParser.parseCorrelation(), l1t::TriggerMenuParser.parseCorrelationWithOverlapRemoval(), l1t::TriggerMenuParser.parseEnergySum(), 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(), JetTagProducer.produce(), ConversionTrackMerger.produce(), TrackListMerger.produce(), GenJetBCEnergyRatio.produce(), PixelJetPuId.produce(), FlavorHistoryProducer.produce(), reco::modules::JetFlavourIdentifier.produce(), CaloGeometryDBEP< T, U >.produceAligned(), hcaltb::HcalTBTDCUnpacker.reconstructWC(), CMSTopTagger.result(), SiStripConfigDb.runs(), TkHistoMap.setBinContent(), magfieldparam::BFit3D.SetCoeff_Linear(), magfieldparam::BFit.SetField(), IPTools.signedDecayLength3D(), ConfigurationDBHandler.startElement(), TrackerG4SimHitNumberingScheme.touchToNavStory(), CountProcessesAction.update(), MaterialBudget.update(), MaterialBudgetForward.update(), MaterialBudgetAction.update(), ZdcTestAnalysis.update(), SiStripConfigDb.usingDatabase(), MuonErrorMatrix.Value(), and PixelResolutionHistograms.~PixelResolutionHistograms().

findQualityFiles.list_of_files = []

Definition at line 403 of file findQualityFiles.py.

findQualityFiles.list_of_numevents = []

Definition at line 405 of file findQualityFiles.py.

list findQualityFiles.list_of_runs = []

Definition at line 404 of file findQualityFiles.py.

int findQualityFiles.maxI = options.maxB*18160
int findQualityFiles.minI = options.minB*18160

Definition at line 181 of file findQualityFiles.py.

Referenced by MuonGeometryArrange.endHist().

findQualityFiles.numevents

Definition at line 410 of file findQualityFiles.py.

findQualityFiles.options

Definition at line 160 of file findQualityFiles.py.

findQualityFiles.parser = optparse.OptionParser(usage)

Definition at line 51 of file findQualityFiles.py.

findQualityFiles.rr = ''

Definition at line 185 of file findQualityFiles.py.

Referenced by algorithm(), CaloMCTruthTreeProducer.analyze(), PFMCTruthTreeProducer.analyze(), PPSPixelDigiAnalyzer.analyze(), HLTGetDigi.analyze(), L1MuonRecoTreeProducer.analyze(), ConversionProducer.buildCollection(), ConversionProducer.checkTrackPair(), DDHGCalGeom.constructLayers(), DDPixBarLayerAlgo.execute(), HGCalGeometry.get8Corners(), HGCalGeometry.getCorners(), HCalSD.getHitFibreBundle(), HCalSD.getHitPMT(), HGCalGeometry.getNewCorners(), CaloTowerGeometry.getSummary(), FastTimeGeometry.getSummary(), HGCalGeometry.getSummary(), CaloSubdetectorGeometry.getSummary(), HcalGeometry.getSummary(), HGCalWaferType.getType(), math::GraphWalker< N, E >.GraphWalker(), HGCalDDDConstants.isValidCell(), HGCalDDDConstants.isValidCell8(), HGCalGeomParameters.loadWaferHexagon(), CSCRadialStripTopology.localError(), TkRadialStripTopology.localError(), JetPlusTrackCorrector.matchTracks(), FullModelReactionDynamics.Poisson(), DDHGCalTBModule.positionSensitive(), DDHGCalTBModuleX.positionSensitive(), DDHGCalModule.positionSensitive(), DDHGCalModuleAlgo.positionSensitive(), PrimitiveMatching.process_single_zone_station(), JetTracksAssociationDRVertexAssigned.produce(), AlignmentPrescaler.produce(), pat::PATTrackAndVertexUnpacker.produce(), HGCalGeomTools.radius(), external::HEPTopTaggerV2_fixed_R.run(), MaterialBudgetHcal.stopAfter(), MaterialBudgetForward.stopAfter(), MaterialBudget.stopAfter(), FEConfigLinDat.writeArrayDB(), FEConfigWeightGroupDat.writeArrayDB(), FEConfigFgrGroupDat.writeArrayDB(), MonPNLed1Dat.writeArrayDB(), MonPNIRedDat.writeArrayDB(), MonPNMGPADat.writeArrayDB(), MonPNRedDat.writeArrayDB(), MonPNGreenDat.writeArrayDB(), MonPNLed2Dat.writeArrayDB(), MonPNBlueDat.writeArrayDB(), and DCULVRVoltagesDat.writeArrayDB().

findQualityFiles.run

Definition at line 410 of file findQualityFiles.py.

findQualityFiles.runs_b_on = []

get good B field runs from RunInfo DB

Definition at line 347 of file findQualityFiles.py.

list findQualityFiles.runs_good = []

use run registry API is specified

use JSON file if specified

Definition at line 359 of file findQualityFiles.py.

findQualityFiles.runs_good_dq = []

Add requiremment of good quality runs.

Definition at line 358 of file findQualityFiles.py.

findQualityFiles.size = len(list_of_files)

Write out results.

Definition at line 443 of file findQualityFiles.py.

Referenced by ntupleDataFormat.TrackingParticle._nMatchedSeeds(), ntupleDataFormat._SimHitMatchAdaptor._nMatchedSimHits(), ntupleDataFormat._TrackingParticleMatchAdaptor._nMatchedTrackingParticles(), ntupleDataFormat.TrackingParticle._nMatchedTracks(), hltrigreport::Accumulate.Accumulate(), hltrigreport::Accumulate.accumulate(), HGCDigitizer.accumulate(), CaloTruthAccumulator.accumulateEvent(), DigiCollectionFP420.add(), edm::helper::Filler< Association< C > >.add(), HcalSiPMHitResponse.add(), CaloHitResponse.add(), nanoaod::FlatTable.addColumn(), cond::persistency::TableDescription< Types >.addColumn(), L1GtTriggerMenuConfigOnlineProd.addCorrelationCondition(), BetaCalculatorRPC.addInfoToCandidate(), edm::IndexIntoFile.addLumi(), pat::PackedTriggerPrescales.addPrescaledTrigger(), TMultiDimFet.AddRow(), fireworks.addStraightLineSegment(), TMultiDimFet.AddTestRow(), IntermediateHitTriplets::RegionFiller.addTriplets(), InputFile.advance(), SiStripQualityHotStripIdentifier.algoAnalyze(), reco::Conversion.algoByName(), reco::TrackBase.algoByName(), algorithm(), SiStripNoises.allNoises(), SiStripPedestals.allPeds(), AnalyticalTrackSelector.AnalyticalTrackSelector(), L1TGlobalPrescalesVetosViewer.analyze(), BTagPerformanceAnalyzerOnData.analyze(), RECOVertex.analyze(), CaloTowerAnalyzer.analyze(), BTagPerformanceAnalyzerMC.analyze(), DTSegmentsTask.analyze(), EwkMuLumiMonitorDQM.analyze(), EcalTestPulseAnalyzer.analyze(), PixelVTXMonitor.analyze(), BxTiming.analyze(), SegmentTrackAnalyzer.analyze(), cms::ProducerAnalyzer.analyze(), EcalLaserAnalyzer2.analyze(), DTSegmentAnalysisTask.analyze(), L1TFED.analyze(), EcalPulseShapeGrapher.analyze(), HGCalShowerSeparation.analyze(), EcalLaserAnalyzer.analyze(), EtlSimHitsValidation.analyze(), GeneralHLTOffline.analyze(), HcalLutAnalyzer.analyze(), PixelLumiDQM.analyze(), HeavyFlavorValidation.analyze(), EcalTPGParamBuilder.analyze(), SiStripFEDMonitorPlugin.analyze(), SiPixelErrorEstimation.analyze(), HLTMuonPlotter.analyze(), HLTExoticaSubAnalysis.analyze(), EmDQMReco.analyze(), OverlapValidation.analyze(), IsoTrig.analyze(), HOCalibAnalyzer.analyze(), TrackingNtuple.analyze(), HGCalTBAnalyzer.analyzeSimHits(), TaggingVariablePlotter.analyzeTag(), HLTEventAnalyzerRAW.analyzeTrigger(), array_from_row_sorted_matrix(), EZMgrVL< T >.assign(), HGCalDDDConstants.assignCell(), HGCalConcentratorSuperTriggerCellImpl.assignSuperTriggerCellEnergyAndPosition(), TrackerHitAssociator.associateMultiRecHit(), TrackerHitAssociator.associateMultiRecHitId(), associationMapFilterValues(), QGLikelihoodDBWriter.beginJob(), PickEvents.beginJob(), DTEfficiencyTask.beginLuminosityBlock(), DTChamberEfficiencyTask.beginLuminosityBlock(), DTResolutionAnalysisTask.beginLuminosityBlock(), L1TGlobalSummary.beginRun(), LumiCalculator.beginRun(), EcalTimeMapDigitizer.blankOutUsedSamples(), EcalHitResponse.blankOutUsedSamples(), amc::BlockHeader.BlockHeader(), TrackerOfflineValidation.bookDirHists(), TriggerBxVsOrbitMonitor.bookHistograms(), TriggerBxMonitor.bookHistograms(), HLTObjectsMonitor.bookHistograms(), MTVHistoProducerAlgoForTracker.bookRecoHistos(), FWCaloRecHitDigitSetProxyBuilder.build(), HcalSimParametersFromDD.build(), EcalSimParametersFromDD.build(), FWSimpleProxyBuilder.build(), KDTreeLinkerAlgo< DATA, DIM >.build(), FWTauProxyBuilderBase.buildBaseTau(), CaloGeometryHelper.buildCrystalArray(), CaloGeometryHelper.buildNeighbourArray(), FWPFClusterRPZUtils.buildRhoPhiClusterLineSet(), FWPFClusterRPZUtils.buildRhoZClusterLineSet(), CSCSegAlgoST.buildSegments(), EcalHitMaker.buildSegments(), FWSimpleProxyBuilder.buildViewType(), FWMETProxyBuilder.buildViewType(), FWJetProxyBuilder.buildViewType(), L1MuTMChambPhContainer.bxSize(), L1MuDTTrackContainer.bxSize(), L1MuDTChambPhContainer.bxSize(), L1MuDTChambThContainer.bxSize(), MeasurementSensor2D.calculateSimulatedValue(), MeasurementDistancemeter3dim.calculateSimulatedValue(), MeasurementDistancemeter.calculateSimulatedValue(), MeasurementCOPS.calculateSimulatedValue(), MeasurementDiffEntry.calculateSimulatedValue(), MeasurementTiltmeter.calculateSimulatedValue(), CaloRectangleRange< T >.CaloRectangleRange(), FWTableViewTableManager.cellRenderer(), DavixStorageMaker.check(), LocalStorageMaker.check(), LStoreStorageMaker.check(), StorageFactory.check(), DCacheStorageMaker.check(), StormStorageMaker.check(), StormLcgGtStorageMaker.check(), XrdStorageMaker.check(), btagbtvdeep::DeepBoostedJetFeatures.check_consistency(), 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(), ZeeCalibration.computeCoefficientDistanceAtIteration(), Phase2Tracker::Phase2TrackerFEDBuffer.conditionData(), ConfigurableAPVCyclePhaseProducer.ConfigurableAPVCyclePhaseProducer(), pos::PixelConfigFile.configurationDataExists(), CMSThermalNeutrons.ConstructProcess(), L1TMuonProducer.convertMuons(), MuonResidualsFitter.correctBField(), PFClusterEMEnergyCorrector.correctEnergies(), ConstrainedTreeBuilder.covarianceMatrix(), ConstrainedTreeBuilderT.covarianceMatrix(), l1t::Stage2Layer2JetAlgorithmFirmwareImp1.create(), PFPhotonTranslator.createBasicClusterPtrs(), PFElectronTranslator.createBasicClusterPtrs(), PFElectronTranslator.createGsfElectronCoreRefs(), PFElectronTranslator.createGsfElectrons(), HcalDbASCIIIO.createObject< HcalSiPMCharacteristics >(), PFPhotonTranslator.createPreshowerClusterPtrs(), PFElectronTranslator.createPreshowerClusterPtrs(), SiPixelUtility.createStatusLegendMessages(), PFElectronTranslator.createSuperClusterGsfMapRefs(), lhef::CBInputStream.curPos(), lhef::STLInputStream.curPos(), lhef::StorageInputStream.curPos(), EcalElectronicsMapping.dccConstituents(), HLTLevel1GTSeed.debugPrint(), ASmirnovDeDxDiscriminator.dedx(), BTagLikeDeDxDiscriminator.dedx(), ProductDeDxDiscriminator.dedx(), SmirnovDeDxDiscriminator.dedx(), defaultModuleLabel(), ProcessCallGraph.dependencies(), ProcessCallGraph.depends(), jsoncollector::DataPointDefinition.deserialize(), jsoncollector::DataPoint.deserialize(), edm::DetSetRefVector< T, C >.DetSetRefVector(), magfieldparam::rz_poly.Diff(), npstat::BoxND< unsigned >.dim(), CSCAFEBThrAnalysis.done(), l1t::Stage2Layer2JetAlgorithmFirmwareImp1.donutPUEstimate(), edm::eventsetup::EventSetupProvider.doRecordsMatch(), FWHistSliceSelector.doSelect(), FWHistSliceSelector.doUnselect(), GctRawToDigi.doVerboseOutput(), MultiTrackValidatorGenPs.dqmAnalyze(), TriggerBxVsOrbitMonitor.dqmAnalyze(), MultiTrackValidator.dqmAnalyze(), TriggerBxMonitor.dqmAnalyze(), TriggerBxVsOrbitMonitor.dqmBeginRun(), TriggerBxMonitor.dqmBeginRun(), DQMCorrelationClient.dqmEndJob(), FWTextTreeCellRenderer.draw(), btagbtvdeep.dump_vector(), PrintMaterialBudgetInfo.dumpElementMassFraction(), dumpLutDiff(), pat::GenericDuplicateRemover< Comparator, Arbitrator >.duplicates(), MuScleFit.duringFastLoop(), MuScleFit.duringLoop(), EBHitResponse.EBHitResponse(), EcalHitMaker.EcalHitMaker(), PFECALHashNavigator.ecalNeighbArray(), EcalTimeMapDigitizer.EcalTimeMapDigitizer(), EEHitResponse.EEHitResponse(), ElectronHEEPIDValueMapProducer.ElectronHEEPIDValueMapProducer(), edm::LuminosityBlock.emplaceImpl(), edm::Run.emplaceImpl(), edm::Event.emplaceImpl(), CalorimetryManager.EMShowerSimulation(), CaloSlaveSD.end(), cond::SmallWORMDict.end(), PhysicsTools::VarProcessor::ValueIterator.end(), edmNew::DetSetVector< T >::FastFiller.end(), MuonGeometryArrange.endHist(), ecaldqm::TowerStatusTask.endLuminosityBlock(), L1TRate_Offline.endLuminosityBlock(), edm::IndexIntoFile.endRunOrLumi(), edm::RootTree.entryNumberForIndex(), reco::Conversion.EoverP(), reco::Conversion.EoverPrefittedTracks(), SiPixelStatusHarvester.equal(), DTBtiChip.eraseTrigger(), ESHitResponse.ESHitResponse(), MuonSeedCreator.estimatePtCSC(), MuonSeedCreator.estimatePtDT(), MuonSeedCreator.estimatePtOverlap(), ParticleTowerProducer.eta2ieta(), HCALProperties.eta2ieta(), L1GtCorrelationCondition.evaluateCondition(), DDEcalBarrelNewAlgo.execute(), DDEcalBarrelAlgo.execute(), npstat::BoxND< Numeric >.expand(), LayerHitMapCache::SimpleCache.extend(), NoiseSummaryFactory.extract(), DaqScopeModeSummaryFactory.extract(), PedestalsSummaryFactory.extract(), PedsFullNoiseSummaryFactory.extract(), PedsOnlySummaryFactory.extract(), cond::persistency.f_add_column_description(), EcalHitMaker.fastInsideCell(), jsoncollector::DataPoint.fastOutCSV(), fit::RootMinuit< Function >.fcn_(), File_Read(), File_Write(), FileOutStream_Write(), OptoScanTask.fill(), PFCandidateMonitor.fill(), SiPixelTrackResidualModule.fill(), SiPixelClusterModule.fill(), FWHFTowerProxyBuilderBase.fillCaloData(), FWHGTowerProxyBuilderBase.fillCaloData(), FWECALCaloDataDetailViewBuilder.fillData(), edm::IndexIntoFile.fillEventNumbersOrEntries(), DaqFakeReader.fillFEDs(), DaqFakeReader.fillGTPFED(), QcdUeDQM.fillHltBits(), QcdLowPtDQM.fillHltBits(), EcalElectronicsMapper.fillMaps(), edm::Schedule.fillModuleAndConsumesInfo(), HGCalTriggerGeometryHexImp2.fillNeighborMaps(), SiPixelUtility.fillPaveText(), FastTimerServiceClient.fillPlotsVsLumi(), edm::IndexIntoFile.fillRunOrLumiIndexes(), DetIdAssociator.fillSet(), SiStripFedZeroSuppression.fillThresholds_(), TriggerSummaryProducerAOD.fillTriggerObjectCollections(), edm::SystemTimeKeeper.fillTriggerTimingReport(), TrackingNtuple.fillVertices(), edm::PtrVector< T >.fillView(), cond::payloadInspector::Histogram1D< PayloadType >.fillWithBinAndValue(), PFMETFilter.filter(), PFFilter.filter(), CSCDigiValidator.filter(), FilterOR.FilterOR(), HcalSiPMHitResponse.finalizeHits(), EcalTimeMapDigitizer.finalizeHits(), HadronicProcessHelper.finalState(), pat::GenericOverlapFinder< Distance >.find(), SETSeedFinder.findAllValidSets(), GctFormatTranslateMCLegacy.findBx0OffsetInCollection(), L1GtVhdlWriterCore.findObjectType(), CastorCtdcPacker.findSamples(), CastorPacker.findSamples(), HcalPacker.findSamples(), EcalTBReadout.findTTlist(), RandArrayFunction.FireArray(), CombinedSVComputer.flipIterate(), l1t::AMCDumpToRaw.formatRaw(), l1t::MP7BufferDumpToRaw.formatRaw(), FsmwClusterizer1DNameSpace.fsmw(), gen::Py8PtGun.generatePartonsAndHadronize(), gen::Py8EGun.generatePartonsAndHadronize(), gen::Py8JetGun.generatePartonsAndHadronize(), DTKeyedConfigCache.get(), FWEventItem.get(), pos::PixelConfigFile.get(), edm::GlobalSchedule.getAllModuleDescriptions(), edm::Schedule.getAllModuleDescriptions(), edm::StreamSchedule.getAllModuleDescriptions(), RPCSimSetUp.getAsymmetryForCls(), DTMuonMillepede.getbcsMatrix(), amc::BlockHeader.getBlocks(), l1t::MP7BufferDumpToRaw.getBlocks(), DTMuonMillepede.getbsurveyMatrix(), ComponentFactoryByName< B >.getBuilder(), dqmstorepb::ROOTFilePB_Histo.GetCachedSize(), dqmstorepb::ROOTFilePB.GetCachedSize(), DTMuonMillepede.getCcsMatrix(), DCCDataUnpacker.getCCUValue(), l1t::Stage2Layer2JetAlgorithmFirmwareImp1.getChunkyRing(), hcalCalib.GetCoefFromMtrxInvOfAve(), CSCComparatorDigiFitter.getComparatorDigiCoordinates(), HcalLutManager.getCompressionLutXmlFromCoder(), HBHERecalibration.getCorr(), DTMuonMillepede.getCsurveyMatrix(), EDMtoMEConverter::Tokens< T >.getData(), pat::PATIsolatedTrackProducer.getDeDx(), FWCompactVerticalLayout.GetDefaultSize(), RPCSimSetUp.getEff(), G4ProcessHelper.GetFinalState(), JetMatchingTools.getGenParticle(), LumiSummaryRunHeader.getHLTIndex(), WatcherStreamFileReader.getInputFile(), CSCStripDigi.getL1APhase(), LumiSummaryRunHeader.getL1Index(), HcalLutManager.getMasks(), JetPartonMatching.getMatchForParton(), npstat::BoxND< Numeric >.getMidpoint(), edm::Principal.getModifiableProductResolver(), HGCalDDDConstants.getModule(), L1TriggerScalerHandler.getNewObjects(), RunInfoHandler.getNewObjects(), RunSummaryHandler.getNewObjects(), FillInfoPopConSourceHandler.getNewObjects(), popcon::DQMReferenceHistogramRootFileSourceHandler.getNewObjects(), popcon::DQMSummarySourceHandler.getNewObjects(), popcon::DQMXMLFileSourceHandler.getNewObjects(), RPCDBPerformanceHandler.getNewObjects(), RPCDBHandler.getNewObjects(), SiStripDQMPopConSourceHandler< T >.getNewObjects(), popcon::SiStripPopConConfigDbObjHandler< T >.getNewObjects(), popcon::RPCEMapSourceHandler.getNewObjects(), popcon::EcalTPGWeightIdMapHandler.getNewObjects(), popcon::EcalTPGFineGrainEBIdMapHandler.getNewObjects(), popcon::EcalTPGLinConstHandler.getNewObjects(), popcon::EcalTPGLutIdMapHandler.getNewObjects(), popcon::EcalTPGPhysicsConstHandler.getNewObjects(), popcon::EcalDAQHandler.getNewObjects(), popcon::SiStripPopConHandlerUnitTestGain< T >.getNewObjects(), popcon::SiStripPopConHandlerUnitTestNoise< T >.getNewObjects(), popcon::EcalTPGFineGrainEBGroupHandler.getNewObjects(), popcon::EcalTPGFineGrainTowerEEHandler.getNewObjects(), popcon::SiStripPopConHandlerUnitTest< T >.getNewObjects(), popcon::EcalTPGWeightGroupHandler.getNewObjects(), popcon::EcalADCToGeVHandler.getNewObjects(), popcon::EcalTPGSlidingWindowHandler.getNewObjects(), popcon::EcalTPGFineGrainStripEEHandler.getNewObjects(), popcon::EcalTPGPedestalsHandler.getNewObjects(), popcon::EcalTPGLutGroupHandler.getNewObjects(), popcon::EcalTPGSpikeThresholdHandler.getNewObjects(), popcon::EcalDCSHandler.getNewObjects(), popcon::PopConBTransitionSourceHandler< T >.getNewObjects(), popcon::PopConESTransitionSourceHandler< T >.getNewObjects(), PVFitter.getNPVsperBX(), pos::PixelConfigFile.getPath(), pat::PackedTriggerPrescales.getPrescaleForIndex(), BeamFitter.getPVvectorSize(), hgcal::RecHitTools.getRadiusToSide(), edm::Event.getRefBeforePut(), EVTColContainer.getSize(), magfieldparam::rz_poly.GetSVal(), DDPolySolid.getVec(), magfieldparam::rz_poly.GetVVal(), EcalTrivialConditionRetriever.getWeightsFromConfiguration(), edm::RootPrimaryFileSequence.goToEvent(), XrdAdaptor::RequestManager.handle(), edm::friendlyname.handleTemplateArguments(), dEdxHitAnalyzer.harmonic2(), reco::HcalNoiseRBXArray.HcalNoiseRBXArray(), amc::Header.Header(), MultiHitGeneratorFromChi2.hitSets(), PixelTripletNoTipGenerator.hitTriplets(), PixelTripletLowPtGenerator.hitTriplets(), PixelTripletLargeTipGenerator.hitTriplets(), PixelTripletHLTGenerator.hitTriplets(), HLTPMDocaFilter.hltFilter(), HLTJetSortedVBFFilter< T >.hltFilter(), HLTL1TSeed.HLTL1TSeed(), HLTLevel1GTSeed.HLTLevel1GTSeed(), MkFitHitIndexMap.increaseLayerSize(), pat::TriggerEvent.indexAlgorithm(), pat::TriggerEvent.indexCondition(), pat::TriggerEvent.indexFilter(), HFShower.indexFinder(), HDShower.indexFinder(), pat::TriggerEvent.indexPath(), MuDetRing.init(), MTDDetRing.init(), edm::BranchDescription.initBranchName(), CAHitTripletGenerator.initEvent(), CAHitQuadrupletGenerator.initEvent(), Combinatorics.initial_permutation(), HBHERecalibration.initialize(), PerformancePayloadFromBinnedTFormula.initialize(), MeasurementTrackerImpl.initPhase2OTMeasurementConditionSet(), MeasurementTrackerImpl.initPxMeasurementConditionSet(), MeasurementTrackerImpl.initStMeasurementConditionSet(), edm::helper::Filler< Association< C > >.insert(), reco::TaggingVariableList.insert(), DTGeometryParsFromDD.insertChamber(), edm::RootTree.insertEntryForIndex(), DTGeometryParsFromDD.insertLayer(), DTGeometryParsFromDD.insertSuperLayer(), DTOccupancyTestML.interpolateLayers(), npstat::ArrayRange.isCompatible(), npstat::BoxND< Numeric >.isInside(), npstat::BoxND< Numeric >.isInsideLower(), npstat::BoxND< Numeric >.isInsideUpper(), npstat::BoxND< Numeric >.isInsideWithBounds(), edm::RefToBaseVector< reco::Track >.isInvalid(), MuonGeometryArrange.isMother(), edm::service.isProcessWideService(), popcon::SiStripPopConHandlerUnitTestGain< T >.isTransferNeeded(), popcon::SiStripPopConHandlerUnitTestNoise< T >.isTransferNeeded(), popcon::SiStripPopConHandlerUnitTest< T >.isTransferNeeded(), HGCalDDDConstants.isValidHex(), join(), FWCompactVerticalLayout.Layout(), l1t::Stage2Layer2TauAlgorithmFirmwareImp1.loadCalibrationLuts(), CalorimetryManager.loadMuonSimTracks(), l1t::L1TGlobalUtil.loadPrescalesAndMasks(), LookInStream_Read2(), LookToRead_Look_Exact(), LookToRead_Read(), npstat::ArrayRange.lowerLimits(), main(), FittedEntriesManager.MakeHistos(), RPCFakeCalibration.makeNoise(), jsoncollector::DataPoint.makeStreamLumiMap(), Pythia8::PowhegHooksBB4L.match_decay(), reco::PFBlock.matrix2vector(), reco::PFDisplacedVertexCandidate.matrix2vector(), EcalClusterToolsT< noZS >.matrixDetId(), FinalTreeBuilder.momentumPart(), npstat::BoxND< Numeric >.moveToOrigin(), InputFile.moveToPreviousChunk(), MyFree(), ntupleDataFormat.TrackingVertex.nDaughterTrackingParticles(), StMeasurementDetSet.nDet(), PxMeasurementDetSet.nDet(), Phase2OTMeasurementDetSet.nDet(), FWEveViewManager.newItem(), Combinatorics.next_permutation(), cscdqm::Detector.NextAddressBoxByPartition(), ntupleDataFormat.SimHit.nRecHits(), MuonSeedCleaner.NRecHitsFromSegment(), DTRPCBxCorrection.nRPCHits(), ntupleDataFormat._HitObject.nseeds(), ntupleDataFormat.GluedHit.nseeds(), ntupleDataFormat.TrackingParticle.nSimHits(), ntupleDataFormat.TrackingVertex.nSourceTrackingParticles(), ntupleDataFormat._HitObject.ntracks(), ntupleDataFormat.Vertex.nTracks(), edm::AssociationMap< edm::OneToOne< std::vector< Trajectory >, reco::GsfTrackCollection, unsigned short > >.numberOfAssociations(), edm.numEntries(), edm::StreamerInputFile.openStreamerFile(), CSCThrTurnOnFcn.operator()(), npstat::BoxND< Numeric >.operator*=(), npstat::BoxND< Numeric >.operator+=(), npstat::BoxND< Numeric >.operator-=(), npstat::BoxND< Numeric >.operator/=(), npstat::ArrayRange.operator<(), operator<<(), edmNew::dstvdetails::DetSetVectorTrans::Item.operator=(), cond::SmallWORMDict.operator[](), npstat::BoxND< Numeric >.overlapFraction(), npstat::BoxND< Numeric >.overlapVolume(), l1t::stage2::BMTFPackerOutput.pack(), amc13::Packet.Packet(), l1t::stage2::RegionalMuonGMTPacker.packTF(), JetResolution.parameter(), AlpgenHeader.parameterName(), RPCLBLinkNameParser.parse(), l1t::TriggerMenuParser.parseCorrelation(), L1GtTriggerMenuXmlParser.parseCorrelation(), l1t::TriggerMenuParser.parseCorrelationWithOverlapRemoval(), MuonGeometryArrange.passChosen(), Phase2OTMeasurementConditionSet.Phase2OTMeasurementConditionSet(), PhotonAnalyzer.phiNormalization(), SiPixelDigitizerAlgorithm::PixelEfficiencies.PixelEfficiencies(), pos::PixelFEDCard.PixelFEDCard(), PixelSLinkDataInputSource.PixelSLinkDataInputSource(), PlotOccupancyMap(), PlotOccupancyMapGeneric(), PlotOccupancyMapPhase1(), PlotOccupancyMapPhase2(), PlotOnTrackOccupancy(), PlotOnTrackOccupancyGeneric(), PlotOnTrackOccupancyPhase1(), PlotOnTrackOccupancyPhase2(), PlotTrackerXsect(), edm::PoolSource.PoolSource(), edm::SortedCollection< EcalRecHit >.pop_back(), MODCCSHFDat.populateClob(), IODConfig.populateClob(), edm::service::StallMonitor.postBeginJob(), DependencyGraph.preBeginJob(), ProcessCallGraph.preBeginJob(), File.prefetch(), TrackerOfflineValidation.prepareSummaryHists(), HGCSiliconDetIdToROC.print(), Combinatorics.Print(), BlockFormatter.print(), PedsOnlyAnalysis.print(), L1GtPrescaleFactors.print(), NoiseAnalysis.print(), PedestalsAnalysis.print(), DaqScopeModeAnalysis.print(), PedsFullNoiseAnalysis.print(), L1GtBoard.print(), edm::ParameterWildcardBase.print_(), edm::ParameterDescriptionBase.print_(), dqm::dqmstoreimpl::DQMStore.print_trace(), RctRawToDigi.printAll(), edm.printBranchNames(), reco::CaloCluster.printHitAndFraction(), TotemSampicFrame.printRawBuffer(), process(), PrimitiveSelection.process(), SectorProcessor.process(), PixelClusterShapeExtractor.processPixelRecHits(), processTrig(), RPCTwinMuxRawToDigi.processTwinMux(), TTStubBuilder< T >.produce(), SETPatternRecognition.produce(), reco::modules::CaloRecHitCandidateProducer< HitCollection >.produce(), LowPtGsfElectronSCProducer.produce(), ElectronSeedTrackRefFix.produce(), ShallowRechitClustersProducer.produce(), RawDataCollectorByLabel.produce(), ShallowSimTracksProducer.produce(), ShallowTrackClustersProducer.produce(), ShallowSimhitClustersProducer.produce(), AssociationVectorSelector< KeyRefProd, CVal, KeySelector, ValSelector >.produce(), AssociationMapOneToOne2Association< CKey, CVal >.produce(), HcalCalibFEDSelector.produce(), AssociationVector2ValueMap< KeyRefProd, CVal >.produce(), HLTTauRefCombiner.produce(), StripCompactDigiSimLinksProducer.produce(), EcalBasicClusterLocalContCorrectionsESProducer.produce(), reco::modulesNew::MCTruthCompositeMatcher.produce(), RPCTwinMuxDigiToRaw.produce(), reco::modulesNew::Matcher< C1, C2, S, D >.produce(), SubdetFEDSelector.produce(), InputGenJetsParticleSelector.produce(), EcalGlobalShowerContainmentCorrectionsVsEtaESProducer.produce(), SiStripRegFEDSelector.produce(), EcalShowerContainmentCorrectionsESProducer.produce(), ECALRegFEDSelector.produce(), ZToLLEdmNtupleDumper.produce(), l1t::L1ComparatorRun2.produce(), AlCaHcalNoiseProducer.produce(), TestBXVectorRefProducer.produce(), SiPixelDigiToRaw.produce(), omtf::OmtfPacker.produce(), CastorTowerProducer.produce(), l1t::L1TDigiToRaw.produce(), PF_PU_FirstVertexTracks.produce(), l1t::AMC13DumpToRaw.produce(), PFCand_NoPU_WithAM.produce(), CTPPSTotemDigiToRaw.produce(), reco::PhysObjectMatcher< C1, C2, S, D, Q >.produce(), CTPPSPixelDigiToRaw.produce(), BTagProbabilityToDiscriminator.produce(), ZeeCalibration.produce(), SoftLepton.produce(), SelectedElectronFEDListProducer< TEle, TCand >.produce(), GenParticleProducer.produce(), CandidateProducer< TColl, CColl, Selector, Conv, Creator, Init >.produce(), Vispa.Views.PropertyView.TextEditWithButtonProperty.properyHeight(), edm::DataMixingEMDigiWorker.putEM(), edm::DataMixingHcalDigiWorker.putHcal(), edm::LuminosityBlock.putImpl(), edm::Run.putImpl(), edm::Event.putImpl(), DAFTrackProducer.putInEvtTrajAnn(), PxMeasurementConditionSet.PxMeasurementConditionSet(), reco::TrackBase.qualityByName(), npstat::ArrayRange.rangeLength(), npstat::ArrayRange.rangeSize(), cond::FileReader.read(), CalibratedHistogramXML.read(), NuclearInteractionSimulator.read(), fastsim::NuclearInteraction.read(), lhef::StorageInputStream.readBytes(), MODCCSHFDat.readClob(), IODConfig.readClob(), edm::EventProcessor.readFile(), reco::details.readGzipFile(), pat::LeptonUpdater< T >.readMiniIsoParams(), edm::RootEmbeddedFileSequence.readOneRandom(), readRemote(), MuonAlignmentFromReference.readTmpFiles(), DTCtcp.Receive(), CSCEfficiency.recHitSegment_Efficiencies(), edm::EDConsumerBase.recordESConsumes(), reco::tau::RecoTauConstructor.reserve(), CaloSlaveSD.ReserveMemory(), L1GctProcessor::Pipeline< T >.resize(), JetResolution.resolution(), InputFile.rewindChunk(), RPCHitCleaner.RPCHitCleaner(), RPCtoDTTranslator.RPCtoDTTranslator(), edm::ProductSelectorRules::Rule.Rule(), NuclearInteractionFinder.run(), PVFitter.runBXFitter(), ConvBremPFTrackFinder.runConvBremFinder(), RPCFinalSorter.runFinalSorter(), ecaldqm::ClusterTask.runOnBasicClusters(), ecaldqm::SelectiveReadoutTask.runOnDigis(), ecaldqm::SelectiveReadoutTask.runOnSource(), ecaldqm::ClusterTask.runOnSuperClusters(), NuclearInteractionSimulator.save(), fastsim::NuclearInteraction.save(), CaloSteppingAction.saveHits(), FWCaloRecHitDigitSetProxyBuilder.scaleProduct(), edm::Schedule.Schedule(), searchABCDstring(), CSCSegAlgoTC.segmentSort(), RawDataFEDSelector.select(), DQMImplNet< DQMNet::Object >.sendObjectListToPeer(), SeqInStream_Read2(), set_children_visibility(), EPOS::EPOS_Wrapper.set_max_number_entries(), EPOS::EPOS_Wrapper.set_sizeof_int(), EPOS::EPOS_Wrapper.set_sizeof_real(), edm::BranchDescription.setBasketSize(), dqmstorepb::ROOTFilePB.SetCachedSize(), hcaltb::HcalTBQADCUnpacker.setCalib(), hcaltb::HcalTBTDCUnpacker.setCalib(), reco::PFCandidateElectronExtra.setClusterEnergies(), reco::PFCandidateEGammaExtra.setClusterEnergies(), reco::IsolatedTauTagInfo.setDiscriminator(), StMeasurementDetSet.setEmpty(), HBHEStatusBitSetter.SetFlagsFromDigi(), SiStripDQMPopConSourceHandler< T >.setForTransfer(), popcon::SiStripPopConConfigDbObjHandler< T >.setForTransfer(), popcon::SiStripPopConHandlerUnitTestGain< T >.setForTransfer(), popcon::SiStripPopConHandlerUnitTestNoise< T >.setForTransfer(), popcon::SiStripPopConHandlerUnitTest< T >.setForTransfer(), RPCSeedLayerFinder.setInput(), reco::tau::RecoTauConstructor.setleadCand(), ticl::TracksterP4FromEnergySum.setP4(), MonTTConsistencyDat.setProblemsSize(), MonMemTTConsistencyDat.setProblemsSize(), HcalTBSource.setRunAndEventInfo(), CSCALCTTrailer2006.setSize(), edm::storage::StatisticsSenderService.setSize(), CSCALCTTrailer2007.setSize(), DTuROSFEDData.setslotsize(), AlignmentParameterSelector.setSpecials(), StorageMaker::AuxSettings.setTimeout(), ticl::TracksterRecoTrackPlugin.setTrack(), egHLT::OffHelper.setTrigInfo(), MatchCandidateBenchmark.setup(), HBHERecalibration.setup(), npstat::ArrayRange.shape(), npstat::BoxND< Numeric >.shift(), OpticalObject.shortName(), edm::RootOutputFile.shouldWeCloseFile(), HGCalDDDConstants.simToReco(), OrderedHitPairs.size(), OrderedMultiHits.size(), OrderedHitSeeds.size(), OrderedHitTriplets.size(), OrderedLaserHitPairs.size(), edm::DataFrameContainer.sort(), sort_by_row_in_groups(), edm::IndexIntoFile::SortedRunOrLumiItr.SortedRunOrLumiItr(), L1TMuonProducer.splitAndConvertMuons(), CombinationGenerator< T >.splitInTwoCollections(), StMeasurementConditionSet.StMeasurementConditionSet(), L1MuGMTLUT::PortDecoder.str(), StripCPE.StripCPE(), npstat::ArrayRange.stripOuterLayer(), PTStatistics.sum(), PTStatistics.sumR(), super_sort_matrix_rows(), SiStripFedZeroSuppression.suppress(), FWSecondarySelectableSelector.syncSelection(), Cylinder.tangentPlane(), tauImpactParameter::TauA1NuConstrainedFitter.TauA1NuConstrainedFitter(), hcalCalib.Terminate(), PTStatistics.toString(), edm::ParameterSet.toStringImp(), l1t::CaloTools.towerEtaSize(), jsoncollector::DataPoint.trackDummy(), reco::Conversion.tracksSigned_d0(), amc::Trailer.Trailer(), CastorPedestalAnalysis.Trendings(), HcalPedestalAnalysis.Trendings(), DTBtiChip.trigger(), DTTracoChip.trigger(), DTBtiChip.triggerData(), DTTracoChip.triggerData(), pat::PATObject< ObjectType >.triggerObjectMatch(), HLTScalersClient::CountLSFifo_t.trim_(), edmplugin::PluginCapabilities.tryToFind(), TSFit.TSFit(), InvariantMassFromVertex.uncertainty(), RctRawToDigi.unpackCTP7(), PTStatistics.update(), pathelpers::Record.update(), HcaluLUTTPGCoder.update(), CaloSteppingAction.update(), HLTrigReport.updateConfigCache(), GsfMaterialEffectsUpdator.updateState(), npstat::ArrayRange.upperLimits(), PiecewiseScalingPolynomial.validate(), CombinedKinematicConstraint.value(), npstat::BoxND< Numeric >.volume(), HEPTopTaggerV2Structure.W2(), InputFile.waitForChunk(), MuonSeedCreator.weightedPt(), CalibratedHistogramXML.write(), amc13::Packet.write(), npstat::BoxND< Numeric >.write(), GctFormatTranslateMCLegacy.writeAllRctCaloRegionBlock(), GctFormatTranslateMCLegacy.writeRctEmCandBlocks(), MuonAlignmentFromReference.writeTmpFiles(), lumi::TRGScalers2DB.writeTrgDataToSchema2(), IOOutput.writev(), IOInput.xreadv(), IOOutput.xwritev(), DDExtrudedPolygon.xyPointsSize(), AlignmentExtendedCorrelationsStore.~AlignmentExtendedCorrelationsStore(), BPHRecoBuilder::BPHGenericCollection.~BPHGenericCollection(), EcalBaseNumber.~EcalBaseNumber(), FWCollectionSummaryTableManager.~FWCollectionSummaryTableManager(), HitQuadrupletGeneratorFromLayerPairForPhotonConversion.~HitQuadrupletGeneratorFromLayerPairForPhotonConversion(), cond::persistency::IIOVTable.~IIOVTable(), MTDBaseNumber.~MTDBaseNumber(), MuScleFit.~MuScleFit(), PixelCPEGeneric.~PixelCPEGeneric(), cond::persistency::IOV::Table.~Table(), and XrdAdaptor::XrdReadStatistics.~XrdReadStatistics().

findQualityFiles.total_numevents = 0

Definition at line 406 of file findQualityFiles.py.

findQualityFiles.type

Definition at line 55 of file findQualityFiles.py.

findQualityFiles.uniq_list_of_runs = sorted(set(list_of_runs))

Definition at line 421 of file findQualityFiles.py.

findQualityFiles.unique_files_events = list(set(files_events))

Definition at line 431 of file findQualityFiles.py.

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

To parse commandline args.

Definition at line 48 of file findQualityFiles.py.

findQualityFiles.v = options.verbose

Definition at line 179 of file findQualityFiles.py.

Referenced by 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(), RPCLinkSynchroStat.add(), cms::DDNamespace.addConstantNS(), Python11ParameterSet.addParameters(), cmspython3::Python11ParameterSet.addParameters(), PFTrackTransformer.addPoints(), PFTrackTransformer.addPointsAndBrems(), Python11ParameterSet.addVPSet(), cmspython3::Python11ParameterSet.addVPSet(), PileupJetIdAlgo::AlgoGBRForestsAndConstants.AlgoGBRForestsAndConstants(), algorithm(), DDMapper< KeyType, ValueType >.all(), PrimaryVertexMonitor.analyze(), StandaloneTrackMonitor.analyze(), ValidationMisalignedTracker.analyze(), EwkMuLumiMonitorDQM.analyze(), TrackingRecoMaterialAnalyser.analyze(), EfficiencyAnalyzer.analyze(), SiStripCommissioningSource.analyze(), EwkDQM.analyze(), TotemRPDQMSource.analyze(), TrackBuildingAnalyzer.analyze(), BTVHLTOfflineSource.analyze(), HiggsDQM.analyze(), TrackParameterAnalyzer.analyze(), DQMExample_Step1.analyze(), CaloParticleDebugger.analyze(), FourVectorHLT.analyze(), HLTInclusiveVBFSource.analyze(), TopMonitor.analyze(), METplusTrackMonitor.analyze(), TestOutliers.analyze(), V0Monitor.analyze(), MuonIsolationDQM.analyze(), HLTExoticaSubAnalysis.analyze(), HLTObjectsMonitor.analyze(), MuonMonitor.analyze(), HTMonitor.analyze(), METMonitor.analyze(), PrimaryVertexAnalyzer4PUSlimmed.analyze(), TrackerDpgAnalysis.analyze(), TrackingNtuple.analyze(), EcalSelectiveReadoutValidation.analyzeEB(), EcalSelectiveReadoutValidation.analyzeEE(), HGCalTBAnalyzer.analyzePassiveHits(), as3D(), mathSSE.as3D(), magneticfield::MagGeoBuilder.barrelVolumes(), MagGeoBuilderFromDDD.barrelVolumes(), BaseMVAValueMapProducer< pat::Jet >.BaseMVAValueMapProducer(), FourVectorHLT.beginJob(), ExpressLumiProducer.beginLuminosityBlockProduce(), JME::bimap< Binning, std::string >.bimap(), npstat::HistoND< Numeric, Axis >.binVolume(), cscdqm::Collection.book(), BTVHLTOfflineSource.bookHistograms(), HLTInclusiveVBFSource.bookHistograms(), DQMPFCandidateAnalyzer.bookHistograms(), JetMETHLTOfflineSource.bookHistograms(), METAnalyzer.bookMonitorElement(), HGCalGeometryLoader.build(), FWSecVertexProxyBuilder.build(), FWSecVertexCandidateProxyBuilder.build(), magneticfield::MagGeoBuilder.build(), MagGeoBuilderFromDDD.build(), FWVertexCandidateProxyBuilder.build(), FWVertexProxyBuilder.build(), SeedForPhotonConversionFromQuadruplets.buildSeedBool(), DAFTrackProducerAlgorithm.buildTrack(), TrackExtenderWithMTDT< TrackCollection >.buildTrack(), TrackProducerAlgorithm< reco::Track >.buildTrack(), TrackProducerAlgorithm< reco::GsfTrack >.buildTrack(), MuonTrackLoader.buildTrackExtra(), TrackExtenderWithMTDT< TrackCollection >.buildTrackExtra(), HBHEHitMap.calcEcalNeighborTowers_(), HBHEHitMap.calcEcalSameTowers_(), HBHEHitMap.calcHcalNeighborTowers_(), HBHEHitMap.calcHcalSameTowers_(), EnergyResolutionVsLumi.calcLightCollectionEfficiencyWeighted(), EnergyResolutionVsLumi.calcLightCollectionEfficiencyWeighted2(), EnergyResolutionVsLumi.calcmuTot(), emtf::Node.calcOptimumSplit(), HLTEcalResonanceFilter.calcPaircluster(), HBHEHitMap.calcTracksNeighborTowers_(), HBHEHitMap.calcTracksSameTowers_(), FWInvMassDialog.Calculate(), AngleCalculation.calculate_angles(), PtAssignmentEngine2016.calculate_pt_xml(), VFATFrame.calculateCRC(), PrimaryVertexAnalyzer4PUSlimmed.calculatePurityAndFillHistograms(), FWCollectionSummaryTableManager.cellRenderer(), CmsShowCommonPopup.changeSelectionColorSet(), TangentCircle.charge(), CaloCellGeometry.checkParmPtr(), FWGeometryTableView.checkRegionOfInterest(), FourPointPlaneBounds.checkSide(), FWGeometryTableViewBase.chosenItem(), gen::PomwigHadronizer.classname(), SherpaHadronizer.classname(), Herwig6Hadronizer.classname(), PixelTrackCleanerBySharedHits.cleanTracks(), LayerHitMapCache::SimpleCache.clear(), helper::CollectionStoreManager< OutputCollection, ClonePolicy >.cloneAndStore(), G4SimEvent.collisionPoint(), JacobianCurvilinearToLocal.compute(), magfieldparam::BCycl< float >.compute(), TEveEllipsoidProjected.ComputeBBox(), tauImpactParameter::TrackHelixVertexFitter.computedxydz(), converter::SuperClusterToCandidate.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(), GenParticleProducer.convertParticle(), TwoBodyDecayVirtualMeasurement.convertXYZPoint(), CSCCondSegFit.correctTheCovX(), EcalClusterToolsT< noZS >.covariances(), tauImpactParameter::TauA1NuConstrainedFitter.CovertParToObjects(), gem::VFATdata.crc_cal(), l1t::Stage2Layer1FirmwareFactory.create(), l1t::Stage2Layer2FirmwareFactory.create(), edm::one::impl::SharedResourcesUser< T >.createAcquirer(), dd4hep.createPlacement(), FWPSetTableManager.createScalarString(), TGeoFromDddService.createVolume(), TGeoMgrFromDdd.createVolume(), edm::soa::Table< Args >::CtrFillerFromContainers.ctrFiller(), DDExpandedViewDump(), DDSpecifics.DDSpecifics(), gen::EvtGenInterfaceBase.decay(), gen::Cascade2Hadronizer.declareSpecialSettings(), gen::HijingHadronizer.declareSpecialSettings(), gen::AMPTHadronizer.declareSpecialSettings(), gen::HydjetHadronizer.declareSpecialSettings(), gen::ReggeGribovPartonMCHadronizer.declareSpecialSettings(), cscdqm::Detector.Detector(), RPTopology.DetStripNo(), RPDisplacementGenerator.displacePoint(), HGCalCLUEAlgo.distance(), MSLayer.distance2(), MuonResidualsFitter.dofit(), TEveEllipsoidProjectedGL.drawArch(), SiStripDetVOffTrendPlotter.dumpCSV(), dumpLutDiff(), EcalFenixStrip.EcalFenixStrip(), EcalSimPhotonMCTruth.EcalSimPhotonMCTruth(), editNumericParameter(), edm.edmModuleTypeEnum(), DependencyGraph.edmModuleTypeEnum(), edm.edmodule_mightGet_config(), PFAlgo.egammaFilters(), magneticfield::MagGeoBuilder.endcapVolumes(), MagGeoBuilderFromDDD.endcapVolumes(), edm::TRandomAdaptor.engineName(), reco::Vertex.error4D(), edm::EDConsumerBase.esGetTokenIndices(), edmtest::ESTestDataA.ESTestDataA(), edmtest::ESTestDataB.ESTestDataB(), 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(), tauImpactParameter::MultiProngTauSolver.estimateNu(), hitfit::Vector_Resolution.eta_sigma(), pat::ObjectResolutionCalc.etaBin(), VarSplitter.eval(), VariablePower.eval(), PhysicsTools::MVAComputer.evalInternal(), EventMsgBuilder.EventMsgBuilder(), edm::ExceptionToActionTable.ExceptionToActionTable(), DDHGCalWafer8.execute(), VVIObjFDetails.expint(), VVIObjDetails.expint(), sistripvvi::VVIObjDetails.expint(), ExpressionVariable< Object, label >.ExpressionVariable(), LayerHitMapCache::SimpleCache.extend(), MagGeometry.fieldInTesla(), XHistogram.fill(), reco::GsfTrack.fill(), HcalTB02Histo.fillAllTime(), core.autovars.NTupleObject.fillBranches(), core.autovars.NTupleCollection.fillBranchesScalar(), core.autovars.NTupleCollection.fillBranchesVector(), reco.fillCovariance(), FWECALCaloDataDetailViewBuilder.fillData(), CSCSegmentValidation.fillEfficiencyPlots(), Phase2TrackerValidateDigi.fillITPixelBXInfo(), Phase2TrackerMonitorDigi.fillITPixelDigiHistos(), LHETablesProducer.fillLHEObjectTable(), JetMETHLTOfflineSource.fillMEforEffAllTrigger(), JetMETHLTOfflineSource.fillMEforMonAllTrigger(), JetMETHLTOfflineSource.fillMEforMonTriggerSummary(), JetMETHLTOfflineSource.fillMEforTriggerNTfired(), Phase2TrackerValidateDigi.fillOTBXInfo(), TrackingNtuple.fillTrackingParticles(), TrackingNtuple.fillTrackingVertices(), HcalTB02Histo.fillTransProf(), find(), tkMSParameterization::Elems.find(), MP7PacketReader.findPackets(), ThirdHitPredictionFromInvParabola.findPointAtCurve(), DivisiveVertexFinder.findVertexes(), DivisiveVertexFinder.findVertexesAlt(), MagGeometry.findVolume1(), CSCCondSegFit.fit(), fitf(), CSCSegFit.fitlsq(), MuonSegFit.fitlsq(), GEMCSCSegFit.fitlsq(), for_each_token(), FWGeoMaterialValidator.FWGeoMaterialValidator(), GammaFunctionGenerator.gammaFrac(), GaussianTailNoiseGenerator.generate_gaussian_tail(), PVValHelper.generateBins(), BPHDaughters.get(), edm::AssociationMap< edm::OneToOne< std::vector< Trajectory >, reco::GsfTrackCollection, unsigned short > >.get(), HGCalGeometry.get8Corners(), HcalRecAlgosPrivate::AuxEnergyGetter< T, bool >.getAuxEnergy(), HcalRecAlgosPrivate::AuxRecHitGetter< T, bool >.getAuxRecHit(), EndcapPiZeroDiscriminatorAlgo.GetBarrelNNOutput(), HGCalParametersFromDD.getCellPosition(), ROOT::Math::Transform3DPJ.GetComponents(), HGCalCoarseTriggerCellMapping.getConstituentTriggerCells(), edm::SingleConsumerQ.getConsumerBuffer(), HGCalGeometry.getCorners(), LMFDat.getData(), CandMatcher< C1, C2 >.getDaughters(), HFNoseDetIdToModule.getDetIds(), HGCSiliconDetIdToModule.getDetIds(), HGCSiliconDetIdToModule.getDetTriggerIds(), DDG4Builder.getDouble(), sim::Field.GetFieldValue(), fwlite::BranchMapReader.getFileVersion(), ClusterShapeTrackFilter.getGlobalDirs(), HFShower.getHits(), TShapeAnalysis.getInitVals(), gen::Pythia6Hadronizer.getJetMatching(), hcaldqm::quantity::FEDQuantity.getLabels(), hcaldqm::quantity::EventType.getLabels(), CrossingPtBasedLinearizationPointFinder.getLinearizationPoint(), HFCherenkov.getMom(), HGCalGeometry.getNewCorners(), NuclearTrackCorrector.getNewTrackExtra(), EndcapPiZeroDiscriminatorAlgo.GetNNOutput(), LMFCorrCoefDatComponent.getParameterErrors(), LMFCorrCoefDatComponent.getParameters(), Python11ParameterSet.getParameters(), cmspython3::Python11ParameterSet.getParameters(), edm::pdtentry.getPdtEntryVector(), edm::SingleConsumerQ.getProducerBuffer(), Geometry.GetQuantity(), HcalRecAlgosPrivate::RawEnergyGetter< T, bool >.getRawEnergy(), PrimaryVertexAnalyzer4PUSlimmed.getRecoPVs(), edm::helper::MatcherGetRef< View< T > >.getRef(), PrimaryVertexAnalyzer4PUSlimmed.getSimPVs(), emtf::Tree.getSplitValues(), emtf::Tree.getSplitValuesRecursive(), edm::TRandomAdaptor.getState(), RunSummary.getSubdtIn(), LMFLaserPulseDat.getTableName(), LMFPrimDat.getTableName(), LMFPnPrimDat.getTableName(), LMFLmrSubIOV.getTimes(), DTTMax.getTMax(), HFNoseDetIdToModule.getTriggerDetIds(), TShapeAnalysis.getVals(), tauImpactParameter::ParticleBuilder.getVertex(), Python11ParameterSet.getVPSet(), cmspython3::Python11ParameterSet.getVPSet(), gen::Hydjet2Hadronizer.GetWeakDecayLimit(), HFCherenkov.getWL(), HFCherenkov.getWLAtten(), HFCherenkov.getWLHEM(), HFCherenkov.getWLIni(), HFCherenkov.getWLQEff(), HFCherenkov.getWLTrap(), FWGLEventHandler.HandleButton(), FWGeometryTableViewBase::FWViewCombo.HandleButton(), edm::Hash< I >.Hash(), TrackInformation.hasHits(), HcalTBEventPosition.hbheTablePhi(), ConversionFastHelix.helixStateAtVertex(), FastHelix.helixStateAtVertex(), HGCalMouseBite.HGCalMouseBite(), HGCSiliconDetIdToROC.HGCSiliconDetIdToROC(), histoFill(), PixelTripletLargeTipGenerator.hitTriplets(), PixelTripletHLTGenerator.hitTriplets(), Phase2TrackerDigitizerAlgorithm.induce_signal(), EcalEBTrigPrimTestAlgo.init(), DTBlockedROChannelsTest::DTRobBinsMap.init(), DTBlockedROChannelsTest::DTLinkBinsMap.init(), JME::JetResolutionObject::Definition.init(), CAHitTripletGenerator.initEvent(), CAHitQuadrupletGenerator.initEvent(), SiPixelFedCablingMap.initializeRocs(), reco::TrackExtra.innerStateCovariance(), BinningPointByMap.insert(), edm::OneToValue< BasicClusterCollection, float, unsigned short >.insert(), edm::ParentageRegistry.insertMapped(), edm::pset::Registry.insertMapped(), LinearGridInterpolator3D.interpolate(), npstat::ArrayND< Numeric, StackLen, StackDim >.interpolateLoop(), EcalTBDaqFormatter.interpretRawData(), EcalTB07DaqFormatter.interpretRawData(), TrackerDpgAnalysis.inVertex(), ThirdHitPrediction.isCompatibleWithMultipleScattering(), edm.isFinite(), TrackInformation.isGeneratedSecondary(), RPTopology.IsHit(), PerformancePayloadFromBinnedTFormula.isOk(), PerformancePayloadFromTFormula.isOk(), TrackInformation.isPrimary(), reco::TrackBase.isTimeOk(), edm.iterateTrieLeaves(), reco::TrackProbabilityTagInfo.jetProbability(), hitfit::Lepjets_Event.kt(), hitfit::Gentop_Args.kt_res_str(), L1MuGMTMatrix< T >.L1MuGMTMatrix(), HGVHistoProducerAlgo.layerClusters_to_CaloParticles(), fftjetcms::LinInterpolatedTable1D.LinInterpolatedTable1D(), G4SimEvent.load(), FWGeometryTableManager.loadGeometry(), HGCalGeomParameters.loadWaferHexagon8(), EcalClusterToolsT< noZS >.localCovariances(), edm.LoggedErrorsOnlySummary(), edm.LoggedErrorsSummary(), ls_cert_type(), main(), EcalElectronicsMapper.makeMapFromVectors(), cms.makeRotation3D(), HGCalDDDConstants.maskCell(), GlobalMuonTrackMatcher.match_Chi2(), TSGForOI.match_Chi2(), TSGForOIFromL2.match_Chi2(), GlobalMuonTrackMatcher.match_dist(), PerformancePayloadFromTable.matches(), PrimaryVertexAnalyzer4PUSlimmed.matchReco2SimVertices(), PrimaryVertexAnalyzer4PUSlimmed.matchSim2RecoVertices(), EcalClusterToolsT< noZS >.matrixDetId(), hgcal_clustering.max_index(), reco::ME0Muon.ME0Muon(), TrackMerger.merge(), LocalTrajectoryParameters.mixedFormatVector(), RKCurvilinearDistance< T, N >.momentum(), HGVHistoProducerAlgo.multiClusters_to_CaloParticles(), MultShiftMETcorrInputProducer.MultShiftMETcorrInputProducer(), HGCalGeometry.neighborZ(), HGCalGeometry.newCell(), tauImpactParameter::LagrangeMultipliersFitter.nIter(), cms::dd.noNamespace(), Generator.nonBeamEvent2G4(), edm::service::MessageServicePSetValidation.noNonPSetUsage(), DDMapper< KeyType, ValueType >.noSpecifics(), FullModelReactionDynamics.NuclearReaction(), FWOverlapTableManager.numberOfColumns(), FWGUIManager.open3DRegion(), FWFileEntry.openFile(), gen::EvtGenInterface.operatesOnParticles(), DDValuePair.operator double &(), LmsModeFinder3d.operator()(), HsmModeFinder3d.operator()(), ThirdHitRZPrediction< Propagator >.operator()(), PropagationDirectionChooser.operator()(), MtvClusterizer1D< T >.operator()(), ESShape.operator()(), FsmwClusterizer1D< T >.operator()(), OutermostClusterizer1D< T >.operator()(), cond::SmallWORMDict::IterHelp.operator()(), operator*(), operator<<(), hitfit.operator<<(), math.operator<<(), operator==(), VertexBeamspotOrigins.origins(), CaloTower.outerEt(), reco::TrackExtra.outerRadius(), reco::TrackExtra.outerStateCovariance(), npstat::BoxND< Numeric >.overlapVolume(), hitfit::Vector_Resolution.p_sigma(), SimpleJetCorrectionUncertainty.parameters(), TotemRPLocalTrack.parameterVector(), HIMultiTrackSelector.ParseForestVars(), hitfit::Vector_Resolution.phi_sigma(), reco::GsfTrack.phiModeError(), PhotonMCTruth.PhotonMCTruth(), SymmetryFit.pol2_from_pol2(), SymmetryFit.pol2_from_pol3(), FWGeometryTableViewBase.populate3DViewsFromConfig(), DDHGCalEEAlgo.positionSensitive(), DDHGCalHEAlgo.positionSensitive(), HGCalEEAlgo.PositionSensitive(), HGCalHEAlgo.positionSensitive(), PerigeeLinearizedTrackState.predictedStateMomentumParameters(), edm::service::MessageLogger.preEvent(), edm::service::MessageLogger.preGlobalBeginLumi(), edm::service::MessageLogger.preGlobalBeginRun(), edm::service::MessageLogger.preGlobalEndLumi(), edm::service::MessageLogger.preGlobalEndRun(), 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::DataProxyProvider.prevalidate(), hcaldqm::electronicsmap::ElectronicsMap.print(), SiPixelPerformanceSummary.print(), EcalFenixTcpFormat.process(), DDLVector.processElement(), CTPPSDirectProtonSimulation.processProton(), FWGeoTopNodeGL.ProcessSelection(), pat::PATVertexSlimmer.produce(), OscarProducer.produce(), CandOneToManyDeltaRMatcher.produce(), pat::PATSecondaryVertexSlimmer.produce(), L2TauPixelIsoTagProducer.produce(), reco::modules::MatcherBase< C1, C2, M >.produce(), reco::modulesNew::Matcher< C1, C2, S, D >.produce(), GenParticles2HepMCConverter.produce(), OscarMTProducer.produce(), MultShiftMETcorrInputProducer.produce(), TrackstersProducer.produce(), PFchsMETcorrInputProducer.produce(), PixelVertexProducer.produce(), edm::service::ThreadQueue.produce(), VertexFromTrackProducer.produce(), LHE2HepMCConverter.produce(), PrimaryVertexProducer.produce(), PFTauTransverseImpactParameters.produce(), FastPrimaryVertexWithWeightsProducer.produce(), FastPrimaryVertexProducer.produce(), reco::modules::CosmicTrackSplitter.produce(), TemplatedInclusiveVertexFinder< InputContainer, VTX >.produce(), TemplatedSecondaryVertexProducer< IPTI, VTX >.produce(), BaseMVAValueMapProducer< T >.produce(), DIPLumiProducer.produceDetail(), DIPLumiProducer.produceSummary(), tauImpactParameter::ErrorMatrixPropagator.propagateError(), CSCSegAlgoShowering.pruneFromResidual(), CSCTFPtMethods.Pt2Stn2010(), CSCTFPtMethods.Pt2Stn2011(), CSCTFPtMethods.Pt2Stn2012(), CSCTFPtMethods.Pt2Stn2012_DT(), CSCTFPtMethods.Pt3Stn2010(), CSCTFPtMethods.Pt3Stn2011(), CSCTFPtMethods.Pt3Stn2012(), CSCTFPtMethods.Pt3Stn2012_DT(), ptFast(), edm::TRandomAdaptor.put(), KfTrackProducerBase.putInEvt(), GsfTrackProducerBase.putInEvt(), TrackProducerWithSCAssociation.putInEvt(), TrackAssociatorByPositionImpl.quality(), emtf::Forest.rankVariables(), L1TriggerScalerRead.readData(), HepMCFileReader.ReadStats(), cms::DDNamespace.realName(), cms::dd.realTopName(), TrackClassifier.reconstructionInformation(), CosmicRegionalSeedGenerator.regions(), CandidateSeededTrackingRegionsProducer.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.releaseProducerBuffer(), pat::HcalDepthEnergyFractions.reset(), L1MuGMTMatrix< T >.reset(), PrimaryVertexAnalyzer4PUSlimmed.resetSimPVAssociation(), cms::DDAlgoArguments.resolveValue(), RawParticle.rotate(), RawParticle.rotateX(), RawParticle.rotateY(), RawParticle.rotateZ(), EcalRecHitWorkerRecover.run(), edm::service::MainThreadMLscribe.runCommand(), PileupJetIdAlgo.runMva(), TagProbeFitter.saveDistributionsPlot(), TagProbeFitter.saveFitPlot(), emtf::Forest.saveSplitValues(), EcalClusterToolsT< noZS >.scLocalCovariances(), FWViewContextMenuHandlerGL.select(), RPCMonitorLinkSynchro.select(), VariableFormulaEventSelector.select(), gen::PyquenHadronizer.select(), ObjectPairCollectionSelector< InputCollection, Selector, StoreContainer, RefAdder >.select(), SortCollectionSelector< InputCollection, Comparator, OutputCollection, StoreContainer, RefAdder >.select(), VariableEventSelector.select(), MuonResidualsFitter.selectPeakResiduals(), MuonResidualsFitter.selectPeakResiduals_simple(), FWGeometryTableViewBase.selectView(), CandCommonVertexFitterBase.set(), EVTColContainer.set(), OutputFile.set_current_offset(), 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(), npstat::HistoND< Numeric, Axis >.setAxisLabel(), reco::BeamSpot.setBeamWidthX(), reco::BeamSpot.setBeamWidthY(), edm::IndexIntoFile::RunOrLumiIndexes.setBeginEventNumbers(), reco::BeamSpot.setbetaStar(), npstat::HistoND< Numeric, Axis >.setBin(), npstat::HistoND< Numeric, Axis >.setBinAt(), DCULVRVoltagesDat.setBuffer(), CachingVariable.setCache(), EVTColContainer.setCaloMHT(), CSCCondSegFit.setChi2(), CSCSegFit.setChi2(), MuonSegFit.setChi2(), GEMCSCSegFit.setChi2(), reco::ForwardProton.setContributingLocalTracks(), pat::PackedCandidate.setCovarianceVersion(), edm::CurrentModuleOnThread.setCurrentModuleOnThread(), VFATFrame.setDAQErrorFlags(), LMFDat.setData(), reco::BeamSpot.setEmittanceX(), reco::BeamSpot.setEmittanceY(), edm::IndexIntoFile::RunOrLumiIndexes.setEndEventNumbers(), edm::service::RandomNumberGeneratorService::ModuleIDToEngine.setEngineState(), BscG4Hit.setEntry(), edm::StreamContext.setEventID(), TotemTestHistoClass.setEVT(), DCULVRVoltagesDat.setFenix(), QIE10DataFrame.setFlags(), QIE11DataFrame.setFlags(), DCULVRVoltagesDat.setGOH(), gen::Herwig6Instance.setHerwigRandomEngine(), HcalTBEventPosition.setHFtableCoords(), edm::ProductResolverIndexHelper::Item.setIndex(), DCULVRVoltagesDat.setINH(), edm::BranchDescription.setIsMergeable(), edm::ParameterSetEntry.setIsTracked(), edm::pathStatusExpression::NotOperator.setLeft(), edm::pathStatusExpression::BinaryOperator< T >.setLeft(), FWGeometryTableManagerBase.setLevelOffset(), npstat::HistoND< Numeric, Axis >.setLinearBin(), npstat::HistoND< Numeric, Axis >.setLinearBinAt(), edm::StreamContext.setLuminosityBlockIndex(), reco::ME0Muon.setme0segid(), edm::MergeableRunProductMetadata::MetadataForProcess.setMergeDecision(), edm::service::RandomNumberGeneratorService::SeedsAndName.setModuleID(), edm::ThreadSafeAddOnlyContainer< T >::Node.setNext(), TotemVFATStatus.setNumberOfClusters(), VFATFrame.setNumberOfClusters(), TotemVFATStatus.setNumberOfClustersSpecified(), TrackAnalyzer.setNumberOfGoodVertices(), DCULVRVoltagesDat.setOCM(), edm::IndexIntoFile::RunOrLumiEntry.setOrderPHIDRun(), edm::IndexIntoFile::RunOrLumiEntry.setOrderPHIDRunLumi(), FSimTrack.setOriginVertex(), edm::ThinnedAssociation.setParentCollectionID(), TopologyWorker.setPartList(), edm::PlaceInPathContext.setPathContext(), Herwig7Interface.setPEGRandomEngine(), EVTColContainer.setPFMHT(), FWGeoTopNode.setPopupMenu(), VFATFrame.setPresenceFlags(), edm::IndexIntoFile::RunOrLumiEntry.setProcessHistoryIDIndex(), edm::Event.setProducer(), L1MuKBMTrack.setPtEtaPhi(), ThePEG::RandomEngineGlue.setRandomEngine(), TauSpinnerFilter.setRandomEngine(), edm::BeamHaloProducer.setRandomEngine(), gen::P8RndmEngine.setRandomEngine(), myEvtRandomEngine.setRandomEngine(), ThePEG::RandomEngineGlue::Proxy.setRandomEngine(), gen::Pythia6Service.setRandomEngine(), gen::TauolappInterface.setRandomEngine(), TauSpinnerCMS.setRandomEngine(), CMS_SHERPA_RNG.setRandomEngine(), CMSCGEN.setRandomEngine(), CosmicMuonGenerator.setRandomEngine(), edm::pathStatusExpression::BinaryOperator< T >.setRight(), CTPPSRPAlignmentCorrectionData.setRotX(), CTPPSRPAlignmentCorrectionData.setRotXUnc(), CTPPSRPAlignmentCorrectionData.setRotY(), CTPPSRPAlignmentCorrectionData.setRotYUnc(), CTPPSRPAlignmentCorrectionData.setRotZ(), CTPPSRPAlignmentCorrectionData.setRotZUnc(), edm::StreamContext.setRunIndex(), edm::service::RandomNumberGeneratorService::LabelAndEngine.setSeed(), cond::DataProxyWrapperBase.setSession(), CTPPSRPAlignmentCorrectionData.setShX(), CTPPSRPAlignmentCorrectionData.setShXUnc(), CTPPSRPAlignmentCorrectionData.setShY(), CTPPSRPAlignmentCorrectionData.setShYUnc(), CTPPSRPAlignmentCorrectionData.setShZ(), CTPPSRPAlignmentCorrectionData.setShZUnc(), LMFClsDat.setSystem(), FWJetProxyBuilder.setTextPos(), edm::SendJobHeader.setThinnedAssociationsHelper(), edm::ThinnedAssociation.setThinnedCollectionID(), edm::IllegalParameters.setThrowAnException(), edm::StreamContext.setTimestamp(), RecoTracktoTP.SetTrackingParticlePCA(), TPtoRecoTrack.SetTrackingParticlePCA(), edm::StreamContext.setTransition(), EcalElectronicsMapper.setupGhostMap(), edm::MergeableRunProductMetadata::MetadataForProcess.setUseIndexIntoFile(), DCULVRVoltagesDat.setV43_A(), DCULVRVoltagesDat.setV43_D(), CSCCorrelatedLCTDigi.setValid(), edm::MergeableRunProductMetadata::MetadataForProcess.setValid(), AlignmentParameters.setValid(), CSCDBL1TPParametersExtended.setValue(), DCULVRVoltagesDat.setVCC(), FFTJetCorrectorResult.setVec(), FFTJetCorrectorTransient.setVec(), LMFPrimVers.setVersion(), PFDisplacedVertexHelper.setVertexIdentifier(), SimTrack.setVertexIndex(), DCULVRVoltagesDat.setVFE1_2_3_D(), DCULVRVoltagesDat.setVFE1_A(), DCULVRVoltagesDat.setVFE2_A(), DCULVRVoltagesDat.setVFE3_A(), DCULVRVoltagesDat.setVFE4_5_D(), DCULVRVoltagesDat.setVFE4_A(), DCULVRVoltagesDat.setVFE5_A(), TagProbeFitter.setWeightVar(), CTPPSPixelFramePosition.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(), SiStripRecHitMatcher.SiStripRecHitMatcher(), InitMsgBuilder.size(), EventMsgBuilder.size(), DDValue.size(), hitfit::Vector_Resolution.smear(), edm::SoATuple< edm::EDConsumerBase::TokenLookupInfo, bool, edm::EDConsumerBase::LabelPlacement, edm::KindOfType >.SoATuple(), edm::OneToManyWithQualityGeneric< TrackingParticleCollection, edm::View< reco::Track >, double >.sort(), HGCalImagingAlgo.sort_by_delta(), hgcal::ClusterTools.sort_by_z(), pat::PATPackedCandidateProducer.sort_indexes(), hgcal_clustering.sorted_indices(), DDCoreToDDXMLOutput.specpar(), XHistogram.splitSegment(), SplittingConfigurableHisto.SplittingConfigurableHisto(), PixelTrackProducer.store(), TrackInformation.storeTrack(), ConversionFastHelix.straightLineStateAtVertex(), FastHelix.straightLineStateAtVertex(), DDI::Specific.stream(), cms::DDVolumeProcessor.stripCopyNo(), cms::DDVolumeProcessor.stripNamespace(), fireworks.supportedDataFormatsVersion(), FWViewManagerManager.supportedTypesAndRepresentations(), LinkByRecHit.testECALAndPSByRecHit(), CkfDebugger.testSeed(), timestudy::SleepingServer.threadWork(), EventShape.thrust(), DDMapper< KeyType, ValueType >.toDouble(), DDMapper< KeyType, ValueType >.toString(), reco::TransientTrackFromFTS.track(), reco.trackingParametersAtClosestApproachToBeamSpot(), edm::OneToOneGeneric< std::vector< TrackCandidate >, std::vector< Trajectory >, unsigned int >.transientMap(), edm::OneToMany< std::vector< Trajectory >, std::vector< TrajectorySeed >, unsigned int >.transientMap(), edm::OneToManyWithQualityGeneric< TrackingParticleCollection, edm::View< reco::Track >, double >.transientMap(), edm::OneToMany< std::vector< Trajectory >, std::vector< TrajectorySeed >, unsigned int >.transientValVector(), edm::OneToManyWithQualityGeneric< TrackingParticleCollection, edm::View< reco::Track >, double >.transientValVector(), TangentApproachInRPhi.transverseCoord(), ClosestApproachInRPhi.transverseCoord(), HFNoseTriggerDetId.triggerCellX(), HGCalTriggerDetId.triggerCellX(), CmsMTDStringToEnum.type(), emtf::Forest.updateEvents(), emtf::Forest.updateRegTargets(), hitfit::Vector_Resolution.use_et(), CrossingPtBasedLinearizationPointFinder.useAllTracks(), CrossingPtBasedLinearizationPointFinder.useFullMatrix(), edm::OneToValue< BasicClusterCollection, float, unsigned short >.val(), edm::OneToMany< std::vector< Trajectory >, std::vector< TrajectorySeed >, unsigned int >.val(), edm::OneToManyWithQualityGeneric< TrackingParticleCollection, edm::View< reco::Track >, double >.val(), L1MuonPixelTrackFitter.valInversePt(), VariableHelper.variable(), VariableNTupler.VariableNTupler(), LocalTrajectoryParameters.vector(), CosmicParametersDefinerForTP.vertex(), ParametersDefinerForTP.vertex(), reco::VertexCompositeCandidate.vertexCovariance(), reco::Candidate.vertexCovariance(), reco::LeafCandidate.vertexCovariance(), pat::PackedGenParticle.vertexCovariance(), pat::PackedCandidate.vertexCovariance(), reco::VertexCompositePtrCandidate.vertexCovariance4D(), DAClusterizerInZ.vertices(), AdaptiveVertexReconstructor.vertices(), PrimaryVertexProducerAlgorithm.vertices(), DAClusterizerInZ_vect.vertices(), DAClusterizerInZT_vect.vertices(), npstat::BoxND< Numeric >.volume(), npstat::HistoND< Numeric, Axis >.volume(), PHcalTB04Info.vtxSecEk(), PHcalTB06Info.vtxSecEKin(), edm.walkTrie(), EPOS::IO_EPOS.write_event(), DCULVRVoltagesDat.writeArrayDB(), xy(), zw(), BPHChi2Select.~BPHChi2Select(), CSCSimHitMatcher.~CSCSimHitMatcher(), DTSimHitMatcher.~DTSimHitMatcher(), EcalBarrelGeometry.~EcalBarrelGeometry(), EcalEndcapGeometry.~EcalEndcapGeometry(), FWConvTrackHitsDetailView.~FWConvTrackHitsDetailView(), FWGeometryTableViewBase.~FWGeometryTableViewBase(), GEMSimHitMatcher.~GEMSimHitMatcher(), GsfVertexTrackCompatibilityEstimator.~GsfVertexTrackCompatibilityEstimator(), HBHEHitMap.~HBHEHitMap(), HBHEHitMapOrganizer.~HBHEHitMapOrganizer(), KalmanVertexTrackCompatibilityEstimator< N >.~KalmanVertexTrackCompatibilityEstimator(), ME0SimHitMatcher.~ME0SimHitMatcher(), MuonSimHitMatcher.~MuonSimHitMatcher(), RPCSimHitMatcher.~RPCSimHitMatcher(), SiStripApvGainBuilderFromTag.~SiStripApvGainBuilderFromTag(), SiStripNoiseNormalizedWithApvGainBuilder.~SiStripNoiseNormalizedWithApvGainBuilder(), tauImpactParameter::TrackTools.~TrackTools(), VertexTrackCompatibilityEstimator< 5 >.~VertexTrackCompatibilityEstimator(), and VertexUpdator< 5 >.~VertexUpdator().