Analysis Software
Documentation for sPHENIX simulation software
 All Classes Namespaces Files Functions Variables Typedefs Enumerations Enumerator Friends Macros Groups Pages
Acts::UnitConstants Namespace Reference

Variables

constexpr double mm = 1.0
 
constexpr double fm = 1e-12 * mm
 
constexpr double pm = 1e-9 * mm
 
constexpr double nm = 1e-6 * mm
 
constexpr double um = 1e-3 * mm
 
constexpr double cm = 1e1 * mm
 
constexpr double m = 1e3 * mm
 
constexpr double km = 1e6 * mm
 
constexpr double mm2 = mm * mm
 
constexpr double cm2 = cm * cm
 
constexpr double m2 = m * m
 
constexpr double mm3 = mm * mm * mm
 
constexpr double cm3 = cm * cm * cm
 
constexpr double m3 = m * m * m
 
constexpr double s = 299792458000.0
 
constexpr double fs = 1e-15 * s
 
constexpr double ps = 1e-12 * s
 
constexpr double ns = 1e-9 * s
 
constexpr double us = 1e-6 * s
 
constexpr double ms = 1e-3 * s
 
constexpr double min = 60.0 * s
 
constexpr double h = 3600.0 * s
 
constexpr double mrad = 1e-3
 
constexpr double rad = 1.0
 
constexpr double degree = 0.017453292519943295
 
constexpr double GeV = 1.0
 
constexpr double eV = 1e-9 * GeV
 
constexpr double keV = 1e-6 * GeV
 
constexpr double MeV = 1e-3 * GeV
 
constexpr double TeV = 1e3 * GeV
 
constexpr double J = 6241509074.460763 * GeV
 
constexpr double u = 0.93149410242
 atomic mass unit u
 
constexpr double g = 1.0 / 1.782662e-24
 
constexpr double kg = 1.0 / 1.782662e-27
 
constexpr double e = 1.0
 Charge, native unit e (elementary charge)
 
constexpr double T = 0.000299792458
 
constexpr double Gauss = 1e-4 * T
 
constexpr double kGauss = 1e-1 * T
 
constexpr double mol = 1.0
 Amount of substance, native unit mol.
 

Detailed Description

embed:rst:leading-slashes
*  All physical quantities have both a numerical value and a unit. For the
*  computations we always choose a particular unit for a given physical
*  quantity so we only need to consider the numerical values as such. The
*  chosen base unit for a particular physical dimension, e.g. length, time, or
*  energy, within this code base is called the native unit. The base units
*  should be chosen such that they are internally consistent, require the least
*  amount of explicit conversion factors (ideally none at all), and have
*  typical numerical values close to unity to reduce numerical issues.
* 
*  Here, the following native units are used:
* 
*  - Length is expressed in mm.
*  - Time is expressed in [speed-of-light * time] == mm. A consequence
*    of this choice is that the speed-of-light expressed in native units
*    is 1.
*  - Angles are expressed in radian.
*  - Energy, mass, and momentum are all expressed in GeV (consistent with
*    speed-of-light == 1).
*  - Electric charge is expressed in e, i.e. units of the elementary charge.
*  - The magnetic field is expressed in GeV/(e*mm). The magnetic field
*    connects momentum to length, e.g. in SI units the radius of a charged
*    particle trajectory in a constant magnetic field is given by
* 
*    .. math::
* 
*       radius = - (momentum / charge) / field
* 
*    With the chosen magnetic field unit the expression above stays the
*    same and no additional conversion factors are necessary.
*  - Amount of substance is expressed in mol.
* 
*  Depending on the context a physical quantity might not be given in the
*  native units. In this case we need to convert to the native unit first
*  before the value can be used. The necessary conversion factors are defined
*  in  ``Acts::UnitConstants``. Multiplying a value with the unit constant
*  produces the equivalent value in the native unit, e.g.
* 
*  .. code-block:: cpp
* 
*     double length = 1 * Acts::UnitConstants::m;       // length == 1000.0
*     double momentum = 100 * Acts::UnitConstants::MeV; // momentum == 0.1
* 
*  The conversion of a value in native units into the equivalent value in a
*  specific other unit is computed by dividing with the relevant unit, e.g.
* 
*  .. code-block:: cpp
* 
*     double length = 10.0;                               // native units mm
*     double lengthInM = length / Acts::UnitConstants::m; // == 0.01;
* 
*  To further simplify the usage, physical quantities can also be expressed via
*  `C++ user literals
*  <https://en.cppreference.com/w/cpp/language/user_literal>`_ defined in
*  ``Acts::UnitLiterals``. This allows us to express quantities in a concise
*  way:
* 
*  .. code-block:: cpp
* 
*     using namespace Acts::UnitLiterals;
* 
*     double length = 1_m;                     // == 1000.0
*     double momentum = 1.25_TeV;              // == 1250.0
*     double lengthInUm = length / 1_um;       // == 1000000.0
*     double momentumInMeV = momentum / 1_MeV; // == 1250000.0
* 
*  .. warning::
*     Since using user-defined literals requires a namespace import of
*     ``Acts::UnitLiterals`` it should not be used in headers since it would
*     (accidentally) modify the namespace wherever the header is included.
* 
*  To ensure consistent computations and results the following guidelines
*  **must** be followed when handling physical quantities with units:
* 
*  - All unqualified numerical values, i.e. without a unit, are assumed to
*    be expressed in the relevant native unit, e.g. mm for lengths or GeV
*    for energy/momentum.
*  - If a variable stores a physical quantity in a specific unit that is
*    not the native unit, clearly mark this in the variable, i.e.
* 
*    .. code-block:: cpp
* 
*       double momentum = 100.0; // momentum is stored as native unit GeV
*       double momentumInMeV = 10.0; // would be 0.01 in native units
* 
*  - All input values must be given as ``numerical_value * unit_constant`` or
*    equivalently using the unit literals as ``value_unit``. The resulting
*    unqualified numerical value will be automatically converted to the
*    native unit.
*  - To output an unqualified numerical value in the native units as a
*    numerical value in a specific unit divide by the unit constants as
*    ``numerical_value / unit_constant`` or using the unit literals as
*    ``value / 1_unit``.
* 
*  Examples:
* 
*  .. code-block:: cpp
* 
*     #include <Acts/include/Definitions/Units.hpp>
*     using namespace Acts::UnitLiterals;
* 
*     // define input values w/ units (via unit constants)
*     double width    = 12 * Acts::UnitConstants::mm;
*     double mmuon    = 105.7 * Acts::UnitConstants::MeV;
*     // define input values w/ units (via unit user literals)
*     double length   = 23_cm;
*     double time     = 1214.2_ns;
*     double angle    = 123_degree;
*     double momentum = 2.5_TeV;
*     double mass     = 511_keV;
*     double velocity = 345_m / 1_s;
*     double bfield   = 3.9_T;
* 
*     // convert output values (via unit constants)
*     double t_in_ns    = trackPars.time() / Acts::UnitConstants::ns;
*     // convert output values (via unit user literals)
*     double x_in_mm   = trackPars.position()[ePos0] / 1_mm;
*     double p_in_TeV = trackPars.absoluteMomentum() / 1_TeV;
* 
*  
Note
A helper script is available in Core/scripts/print_units_physical_constants.py to validate some of the numerical values.

Variable Documentation

constexpr double Acts::UnitConstants::cm = 1e1 * mm

Definition at line 145 of file Units.hpp.

View newest version in sPHENIX GitHub at line 145 of file Units.hpp

Referenced by PHG4EICMvtxDetector::AddGeometryNode(), PHG4MvtxDetector::AddGeometryNode(), PHG4InttDetector::AddGeometryNode(), PHG4TpcEndCapDetector::AddLayer(), PHG4Sector::Sector_Geometry::AddLayers_AeroGel_ePHENIX(), PHG4Sector::Sector_Geometry::AddLayers_HBD_GEM(), PHG4Sector::Sector_Geometry::AddLayers_HBD_Readout(), AddLayers_MiniTPCDrift(), PHActsTrackPropagator::addTrackState(), PHTpcResiduals::addTrackState(), MakeMilleFiles::addTrackToMilleFile(), Acts::Python::addUnits(), PHG4TruthTrackingAction::AddVertex(), PHG4TpcDirectLaser::AppendLaserTrack(), PHG4MvtxSupport::buildBarrelCable(), Acts::DD4hepLayerBuilder::centralLayers(), Acts::DD4hepVolumeBuilder::centralVolumes(), TpcClusterBuilder::cluster_hits(), PHActsSiliconSeeding::configureSeeder(), PHG4IHCalDetector::ConsistencyCheck(), PHG4OuterHcalDetector::ConsistencyCheck(), PHG4InnerHcalDetector::ConsistencyCheck(), PHG4SpacalPrototype4Detector::Construct_AzimuthalSeg(), PHG4SpacalPrototypeDetector::Construct_AzimuthalSeg(), PHG4FullProjTiltedSpacalDetector::Construct_AzimuthalSeg(), PHG4FullProjSpacalDetector::Construct_AzimuthalSeg(), PHG4SpacalDetector::Construct_AzimuthalSeg(), PHG4MicromegasDetector::construct_fee_board(), PHG4SpacalPrototype4Detector::Construct_Fiber(), PHG4SpacalPrototypeDetector::Construct_Fiber(), PHG4SpacalDetector::Construct_Fiber(), PHG4FullProjSpacalDetector::Construct_Fibers(), PHG4FullProjTiltedSpacalDetector::Construct_Fibers(), PHG4SpacalPrototype4Detector::Construct_Fibers_SameLengthFiberPerTower(), PHG4SpacalPrototypeDetector::Construct_Fibers_SameLengthFiberPerTower(), PHG4FullProjSpacalDetector::Construct_Fibers_SameLengthFiberPerTower(), PHG4FullProjTiltedSpacalDetector::Construct_Fibers_SameLengthFiberPerTower(), PHG4SpacalPrototype4Detector::Construct_LightGuide(), PHG4SpacalPrototypeDetector::Construct_LightGuide(), PHG4FullProjTiltedSpacalDetector::Construct_LightGuide(), PHG4MicromegasDetector::construct_micromegas(), PHG4MicromegasDetector::construct_micromegas_tile(), PHG4Sector::PHG4SectorConstructor::Construct_Sectors(), PHG4SpacalPrototypeDetector::Construct_Tower(), PHG4SpacalPrototype4Detector::Construct_Tower(), PHG4FullProjTiltedSpacalDetector::Construct_Tower(), PHG4FullProjSpacalDetector::Construct_Tower(), PHG4HcalPrototypeDetector::ConstructDetector(), PHG4TpcEndCapDetector::ConstructElectronics(), PHG4TpcEndCapDetector::ConstructEndCapAssembly(), PHG4InnerHcalDetector::ConstructHcalScintillatorAssembly(), PHG4OuterHcalDetector::ConstructHcalScintillatorAssembly(), PHG4InnerHcalDetector::ConstructHcalSingleScintillators(), PHG4OuterHcalDetector::ConstructHcalSingleScintillators(), PHG4Prototype3InnerHcalDetector::ConstructInnerHcal(), PHG4InttDetector::ConstructIntt(), G4Example01Detector::ConstructMe(), PHG4PSTOFDetector::ConstructMe(), G4Example02Detector::ConstructMe(), PHG4BeamlineMagnetDetector::ConstructMe(), G4Example03Detector::ConstructMe(), PHG4BlockDetector::ConstructMe(), PHG4ConeDetector::ConstructMe(), PHG4CylinderDetector::ConstructMe(), BeamLineMagnetDetector::ConstructMe(), PHG4Prototype3InnerHcalDetector::ConstructMe(), PHG4EPDDetector::ConstructMe(), PHG4BbcDetector::ConstructMe(), PHG4Prototype2InnerHcalDetector::ConstructMe(), PHG4Prototype2OuterHcalDetector::ConstructMe(), PHG4ZDCDetector::ConstructMe(), PHG4TpcEndCapDetector::ConstructMe(), PHG4TpcDetector::ConstructMe(), PHG4HcalDetector::ConstructMe(), PHG4IHCalDetector::ConstructMe(), PHG4OHCalDetector::ConstructMe(), PHG4SpacalPrototype4Detector::ConstructMe(), PHG4SpacalPrototypeDetector::ConstructMe(), PHG4InnerHcalDetector::ConstructMe(), PHG4OuterHcalDetector::ConstructMe(), PHG4SpacalDetector::ConstructMe(), PHG4MvtxSupport::ConstructMvtxSupport(), PHG4BbcDetector::ConstructSupport(), PHG4TpcDetector::ConstructTpcCageVolume(), PHG4TpcDetector::ConstructTpcExternalSupports(), PHG4TpcDetector::ConstructTpcGasVolume(), PHG4TpcEndCapDetector::ConstructWagonWheel(), Acts::DD4hepVolumeBuilder::convertTransform(), Acts::DD4hepLayerBuilder::convertTransform(), PHActsVertexFitter::createActsSvtxVertex(), PHG4MvtxSupport::CreateCableBundle(), Acts::DD4hepLayerBuilder::createSensitiveSurface(), PHActsToSvtxTracks::createSvtxTrack(), Acts::DD4hepLayerBuilder::endcapLayers(), DSTEmulator::evaluate_tracks(), PHG4OuterHcalSteppingAction::FieldChecker(), PHG4OHCalSteppingAction::FieldChecker(), ActsAlignmentStates::fillAlignmentStateMap(), TrackResiduals::fillClusterBranches(), ActsEvaluator::fillG4Particle(), ActsEvaluator::fillProtoTrack(), TrackResiduals::fillStatesWithLineFit(), ActsTransformations::fillSvtxTrackStates(), PHActsKDTreeSeeding::fillTrackSeedContainer(), PHActsVertexFinder::fillVertexMap(), PHActsInitialVertexFinder::fillVertexMap(), CylinderGeomMicromegas::find_strip_from_local_coords(), PHHepMCGenHelper::generate_vertx_with_bunch_interaction(), PHG4PrimaryGeneratorAction::GeneratePrimaries(), generateTruthIbfGainMap(), genfit::Field::get(), ALICEKF::get_Bz(), PHSimpleKFProp::get_Bz(), CylinderGeomMicromegas::get_local_coordinates(), CylinderGeom_Mvtx::get_local_from_world_coords(), CylinderGeomMicromegas::get_local_from_world_coords(), CylinderGeomIntt::get_local_from_world_coords(), CylinderGeomMicromegas::get_local_from_world_vect(), HelicalFitter::get_projectionXY(), CylinderGeomMicromegas::get_strip_count(), CylinderGeomMicromegas::get_strip_length(), CylinderGeom_Mvtx::get_world_from_local_coords(), CylinderGeomMicromegas::get_world_from_local_coords(), CylinderGeomIntt::get_world_from_local_coords(), CylinderGeomMicromegas::get_world_from_local_vect(), PHCosmicsTrkFitter::getCharge(), PHField3DCartesian::GetFieldValue(), PHG4OuterHcalField::GetFieldValue(), HelicalFitter::getGlobalDerivativesXY(), ActsGeometry::getGlobalPosition(), ActsGeometry::getGlobalPositionTpc(), ActsEvaluator::getGlobalTruthHit(), G4Pythia6Decayer::GetParticlePosition(), MakeSourceLinks::getSourceLinks(), PHActsInitialVertexFinder::getTrackPointers(), PHActsVertexPropagator::getVertex(), KshortReconstruction::getVertex(), PHG4Reco::InitRun(), ActsExamples::HepMC3Event::lengthUnit(), PHCosmicsTrkFitter::loopTracks(), PHActsTrkFitter::loopTracks(), main(), PHActsTrackProjection::makeCaloSurfacePtrs(), MakeActsGeometry::makeMmMapPairs(), PHActsGSF::makePerigee(), PHG4ScoringManager::makeScoringHistograms(), PHActsGSF::makeSeed(), PHActsKDTreeSeeding::makeSpacePoint(), PHActsSiliconSeeding::makeSpacePoint(), PHActsSiliconSeeding::makeSvtxTracks(), PHActsVertexFitter::makeTrackParam(), ActsPropagator::makeTrackParams(), PHTpcResiduals::makeTrackParams(), ActsPropagator::makeVertexSurface(), ActsExamples::MaterialPhysicsList::MaterialPhysicsList(), PHG4InnerHcalSteppingAction::NoHitSteppingAction(), PHG4OuterHcalSteppingAction::NoHitSteppingAction(), PHG4IHCalSteppingAction::NoHitSteppingAction(), PHG4OHCalSteppingAction::NoHitSteppingAction(), PHField2D::PHField2D(), PHField3DCartesian::PHField3DCartesian(), PHField3DCylindrical::PHField3DCylindrical(), PHG4CEmcTestBeamSubsystem::PHG4CEmcTestBeamSubsystem(), PHG4CylinderSteppingAction::PHG4CylinderSteppingAction(), PHG4EICMvtxDetector::PHG4EICMvtxDetector(), PHG4HcalPrototypeSubsystem::PHG4HcalPrototypeSubsystem(), PHG4IHCalSteppingAction::PHG4IHCalSteppingAction(), PHG4InnerHcalSteppingAction::PHG4InnerHcalSteppingAction(), PHG4InttSteppingAction::PHG4InttSteppingAction(), PHG4OHCalDetector::PHG4OHCalDetector(), PHG4OHCalSteppingAction::PHG4OHCalSteppingAction(), PHG4OuterHcalSteppingAction::PHG4OuterHcalSteppingAction(), PHG4Prototype3InnerHcalSteppingAction::PHG4Prototype3InnerHcalSteppingAction(), PHG4OHCalDetector::Print(), PHG4OuterHcalDetector::Print(), PHField2D::print_map(), PHField3DCylindrical::print_map(), PHTpcClusterMover::process_event(), MakeMilleFiles::process_event(), HelicalFitter::process_event(), PHTpcResiduals::processTrack(), KshortReconstruction::projectTrackToCylinder(), KshortReconstruction::projectTrackToPoint(), SecondaryVertexFinder::projectTrackToPoint(), PHActsVertexPropagator::propagateTrack(), ActsExamples::DD4hep::DD4hepDetectorHelper::rectangleDigiModule(), det::utils::rectangleDigiModuleXZ(), ActsTransformations::rotateActsCovToSvtxTrack(), ActsTransformations::rotateSvtxTrackCovToActs(), PHG4Sector::Sector_Geometry::SetDefault(), FieldMapReadBack::SetFieldPoint(), PHG4HcalDetector::SetLength(), PHG4CEmcTestBeamSubsystem::SetPlace(), PHG4CEmcTestBeamSubsystem::SetPlaceZ(), PHG4HcalDetector::SetPosition(), PHG4HcalDetector::SetRadius(), PHG4HcalDetector::SetScintWidth(), PHG4HcalDetector::SetThickness(), PHG4SteppingAction::StoreLocalCoordinate(), ActsExamples::DD4hep::DD4hepDetectorHelper::trapezoidalDigiModule(), det::utils::trapezoidalDigiModuleXZ(), TriggerMultiplicity(), PHG4Sector::Sector_Geometry::Unit_cm(), PHActsVertexPropagator::updateSvtxTrack(), PHActsGSF::updateSvtxTrack(), PHActsTrackProjection::updateSvtxTrack(), PHCosmicsTrkFitter::updateSvtxTrack(), PHActsTrkFitter::updateSvtxTrack(), PHActsVertexFitter::updateSvtxVertex(), PHG4SectorSteppingAction::UserSteppingAction(), PHG4EICMvtxSteppingAction::UserSteppingAction(), PHG4ConeSteppingAction::UserSteppingAction(), G4Example01SteppingAction::UserSteppingAction(), PHG4MvtxSteppingAction::UserSteppingAction(), PHG4Prototype2InnerHcalSteppingAction::UserSteppingAction(), G4Example03SteppingAction::UserSteppingAction(), PHG4Prototype3InnerHcalSteppingAction::UserSteppingAction(), PHG4PSTOFSteppingAction::UserSteppingAction(), PHG4Prototype2OuterHcalSteppingAction::UserSteppingAction(), PHG4EnvelopeSteppingAction::UserSteppingAction(), PHG4CEmcTestBeamSteppingAction::UserSteppingAction(), G4Example02SteppingAction::UserSteppingAction(), PHG4EPDSteppingAction::UserSteppingAction(), PHG4HcalSteppingAction::UserSteppingAction(), PHG4BlockSteppingAction::UserSteppingAction(), PHG4TpcSteppingAction::UserSteppingAction(), BeamLineMagnetSteppingAction::UserSteppingAction(), PHG4InttSteppingAction::UserSteppingAction(), PHG4BbcSteppingAction::UserSteppingAction(), PHG4InnerHcalSteppingAction::UserSteppingAction(), PHG4TpcEndCapSteppingAction::UserSteppingAction(), PHG4OuterHcalSteppingAction::UserSteppingAction(), PHG4HcalPrototypeSteppingAction::UserSteppingAction(), PHG4CylinderSteppingAction::UserSteppingAction(), PHG4OHCalSteppingAction::UserSteppingAction(), PHG4IHCalSteppingAction::UserSteppingAction(), PHG4MicromegasSteppingAction::UserSteppingAction(), PHG4ZDCSteppingAction::UserSteppingAction(), PHG4SpacalPrototype4SteppingAction::UserSteppingAction(), PHG4SpacalPrototypeSteppingAction::UserSteppingAction(), PHG4SpacalSteppingAction::UserSteppingAction(), and Acts::volumeBuilder_dd4hep().

constexpr double Acts::UnitConstants::degree = 0.017453292519943295

Definition at line 173 of file Units.hpp.

View newest version in sPHENIX GitHub at line 173 of file Units.hpp

Referenced by Acts::Python::addUnits(), PHG4GDMLWriteParamvol::Cone_dimensionsWrite(), PHG4GDMLWriteSolids::ConeWrite(), PHG4TpcEndCapDetector::ConstructElectronics(), PHG4SpacalPrototype4Detector::ConstructMe(), PHG4SpacalPrototypeDetector::ConstructMe(), PHG4TpcEndCapDetector::ConstructWagonWheel(), PHG4GDMLWriteSolids::CutTubeWrite(), PHG4GDMLWriteSolids::GenericPolyconeWrite(), PHG4GDMLWriteParamvol::Hype_dimensionsWrite(), PHG4GDMLWriteSolids::HypeWrite(), Acts::AtlasBetheHeitlerApprox< NComponents, PolyDegree >::loadFromFiles(), PHG4GDMLWriteParamvol::Para_dimensionsWrite(), PHG4GDMLWriteSolids::ParaWrite(), PHG4GDMLWriteParamvol::Polycone_dimensionsWrite(), PHG4GDMLWriteSolids::PolyconeWrite(), PHG4GDMLWriteParamvol::Polyhedra_dimensionsWrite(), PHG4GDMLWriteSolids::PolyhedraWrite(), ActsExamples::Options::readParticleSmearingOptions(), PHG4GDMLWriteDefine::Rotation_vectorWrite(), PHCosmicsTrkFitter::setDefaultCovariance(), PHActsTrkFitter::setDefaultCovariance(), PHG4GDMLWriteParamvol::Sphere_dimensionsWrite(), PHG4GDMLWriteSolids::SphereWrite(), PHG4GDMLWriteParamvol::Torus_dimensionsWrite(), PHG4GDMLWriteSolids::TorusWrite(), PHG4GDMLWriteParamvol::Trap_dimensionsWrite(), PHG4GDMLWriteSolids::TrapWrite(), PHG4GDMLWriteParamvol::Tube_dimensionsWrite(), PHG4GDMLWriteSolids::TubeWrite(), PHG4GDMLWriteSolids::TwistedboxWrite(), PHG4GDMLWriteSolids::TwistedtrapWrite(), PHG4GDMLWriteSolids::TwistedtrdWrite(), and PHG4GDMLWriteSolids::TwistedtubsWrite().

constexpr double Acts::UnitConstants::e = 1.0

Charge, native unit e (elementary charge)

Definition at line 190 of file Units.hpp.

View newest version in sPHENIX GitHub at line 190 of file Units.hpp

Referenced by ClusterSequence::_bj_set_jetinfo(), ODBCResultSet::Absolute(), Acts::SinglyCharged::absQ(), adaptiveSimpsonsAux(), MultiArray< TVector3 >::Add(), OnCalServer::add_calibrator_to_statustable(), PHG4ScintillatorSlatv1::add_edep(), Polygon::add_line(), ActsExamples::Options::addDD4hepOptions(), Acts::Python::addExaTrkXTrackFinding(), AddFlowToParent(), PHG4OHCalDetector::AddGeometryNode(), PHG4IHCalDetector::AddGeometryNode(), PHG4OuterHcalDetector::AddGeometryNode(), PHG4InnerHcalDetector::AddGeometryNode(), AddLayers_MiniTPCDrift(), Acts::Python::addLogging(), Fun4AllEventOutStream::AddPacketRange(), PktSizeDBodbc::AddRow(), OnlMonDBodbc::AddRow(), PHG4SpacalDetector::AddTowerGeometryNode(), Acts::Python::addUnits(), ODBCResultSet::AfterLast(), ODBCDatabaseMetaData::AllProceduresAreCallable(), ODBCDatabaseMetaData::AllTablesAreSelectable(), AN_dp_sPHENIX(), ana_starlight(), AnalyticFieldModel::AnalyticFieldModel(), myAnalysis::analyze(), analyzeClusterEtIso(), Acts::AnyCharge::AnyCharge(), Input::ApplyEICBeamParameter(), Input::ApplysPHENIXBeamParameter(), RecoConversionEval::approachDistance(), Conversion::approachDistance(), Acts::Test::approximatelyEqual(), ODBCResultSet::BeforeFirst(), Fun4AllServer::BeginRunSubsystem(), GPUTPCTrackParam::BetheBlochGeant(), binorminal_error(), Fatras::Test::BOOST_AUTO_TEST_CASE(), Acts::Test::Layers::BOOST_AUTO_TEST_CASE(), Acts::Test::BOOST_AUTO_TEST_CASE(), BOOST_AUTO_TEST_CASE(), Acts::Test::BOOST_DATA_TEST_CASE(), BOOST_DATA_TEST_CASE(), Acts::Test::BOOST_FIXTURE_TEST_CASE(), Acts::KDTree< 3, int, double >::boundingBox(), HybridHadronization::bring_hadrons_to_mass_shell(), OnlMonClient::CacheRunDB(), OnlMonServer::CacheRunDB(), genfit::calcAverageState(), Acts::SpacePointUtility::calcPerpendicularProjection(), Fluid::calcTotals(), OnlBbcEvent::calculate(), MbdEvent::Calculate(), genfit::DAF::calcWeights(), ODBCStatement::Cancel(), ODBCPreparedStatement::Cancel(), ODBCCallableStatement::Cancel(), ODBCResultSet::CancelRowUpdates(), genfit::AbsKalmanFitter::canIgnoreWeights(), CEMC_Towers(), Acts::NonNeutralChargedParticleHypothesis::chargedGeantino(), Acts::ParticleHypothesis::chargedGeantino(), ChargePerLayer(), OnCalServer::check_calibrator_in_statustable(), OnCalServer::check_create_subsystable(), OnCalServer::check_create_successtable(), PktSizeDBodbc::CheckAndAddColumns(), OnlMonStatusDB::CheckAndCreateMonitor(), OnlMonStatusDB::CheckAndCreateTable(), PktSizeDBodbc::CheckAndCreateTable(), OnlMonDBodbc::CheckAndCreateTable(), PHG4Prototype2HcalCellReco::CheckEnergy(), PHG4HcalCellReco::CheckEnergy(), PHG4BlockCellReco::CheckEnergy(), PHG4CylinderCellReco::CheckEnergy(), PHG4FullProjSpacalCellReco::CheckEnergy(), checkErrorPropagation(), checkExtrapolateBy(), checkExtrapolateToCylinder(), checkExtrapolateToLine(), checkExtrapolateToPoint(), checkExtrapolateToSphere(), checkStopAtBoundary(), Acts::BinningData::checkSubStructure(), Acts::Result< void >::checkValueAccess(), ClassImp(), ClassImpQ(), PgPostBankBackupManager::CleanTable(), ODBCPreparedStatement::ClearParameters(), ODBCCallableStatement::ClearParameters(), ODBCStatement::Close(), ODBCConnection::Close(), ODBCPreparedStatement::Close(), ODBCCallableStatement::Close(), ODBCResultSet::Close(), OnCalServer::ClosestGoodRun(), FastJetAlgo::cluster_and_fill(), cluster_resolution(), PHG4MvtxHitReco::cluster_truthhits(), ClusterErrorPara::ClusterErrorPara(), MvtxClusterizer::ClusterMvtx(), MvtxClusterizer::ClusterMvtxRaw(), CMDistortionReco(), CMDistortionRecoCart(), CMDistortionRecoPhiR(), Acts::Experimental::collector(), Matter::collHQ22(), LBT::collHQ22(), LBT::collHQ23(), ODBCConnection::Commit(), PgPostBankBackupManager::commit(), PgPostBankBackupManager::commitAllBankfromTFile(), compareForthBackExtrapolation(), compareForthBackJacNoise(), FieldMapsLaplace::ComputeE(), OnCalServer::connectDB(), Acts::GenericCuboidVolumeBounds::construct(), gbl::GblTrajectory::construct(), PHG4MicromegasDetector::construct_fee_board(), ConstructGeometry(), PHG4FullProjTiltedSpacalDetector::ConstructMe(), ActsExamples::Geant4::Geant4Detector::convertGeant4Volumes(), maxflow_ff::create_artif_source_target(), maxflow_sap::create_artif_source_target(), maxflow_pp::create_artif_source_target(), OnCalServer::CreateCalibration(), CaloGeomMapping::CreateGeomNode(), RawTowerBuilder::CreateNodes(), Acts::Sycl::createSeedsForGroupSycl(), ODBCConnection::CreateStatement(), OnlMonDBodbc::CreateTable(), CrossSection2RAA(), CrossSection2RAA_Proposal(), CrossSection2v2(), CrossSection2zg(), crossterms(), cs_sha1_transform(), ODBCDatabaseMetaData::DataDefinitionCausesTransactionCommit(), ODBCDatabaseMetaData::DataDefinitionIgnoredInTransactions(), DCACheck(), ODBCResultSet::DeleteRow(), ODBCDatabaseMetaData::DeletesAreDetected(), symlist< T >::detach_sublist(), Matter::DoEnergyLoss(), AdSCFT::DoEnergyLoss(), Martini::DoEnergyLoss(), ODBCDatabaseMetaData::DoesMaxRowSizeIncludeBlobs(), ColoredHadronization::DoHadronization(), ColorlessHadronization::DoHadronization(), DoStandaloneCorrelatorCalculation(), drand(), Draw(), draw_corr(), Draw_EICRate(), draw_G4_bjet_truth_tagging(), draw_G4_dibjet_truth_tagging(), Draw_HFJetTruth_InvMass_DrawCrossSection_PR(), DrawCalibratedE_PlotTestBeam(), DrawCluster_Res(), DrawCluster_Res_2Fit(), DrawCluster_Res_2Fit_1DSpacalNoSVX(), DrawCluster_Res_2Fit_1DSpacalNoSVX_Eta3(), DrawCluster_Res_2Fit_2DSpacalNoSVX(), DrawCluster_Res_2Fit_Electron_NoSVX(), DrawCluster_SingleE(), genfit::EventDisplay::drawEvent(), MvtxMonDraw::DrawOCC(), DrawSF(), DrawTowerSum_Res_2Fit_1DSpacalNoSVX(), DrawTowerSum_Res_2Fit_1DSpacalNoSVX_Eta3(), DrawTowerSum_SingleE(), Fun4AllEventOutStream::DropPacketRange(), dropTable(), ActsFatras::DummyDetectorConstruction::dummyDetector(), OnlMonDBodbc::Dump(), A_Event::dumpErrorBlock(), Edep_Checks(), Edep_LL_Distribution(), eic_sphenix_sidis_countbins(), EMCalTowerRingStudy(), EMCDistribution(), EMCDistribution_Fast(), RawTowerBuilder::EminCut(), HcalRawTowerBuilder::EminCut(), RawTowerBuilderByHitIndex::EminCut(), Fun4AllServer::End(), Fun4AllServer::EndRun(), Square::ends_of_edge(), EoSs::EoSs(), Ep_Checks(), EP_LL_Distribution(), EPD_Tiles(), ICGlauber::eProfile(), EventLoop(), HydroFromFile::EvolveHydro(), PHG4IonGun::ExcitEnergy(), epemGun::Exec(), ODBCStatement::Execute(), ODBCPreparedStatement::Execute(), ODBCCallableStatement::Execute(), ActsExamples::ParticleSelector::execute(), ODBCStatement::ExecuteQuery(), ODBCPreparedStatement::ExecuteQuery(), ODBCCallableStatement::ExecuteQuery(), ODBCStatement::ExecuteUpdate(), ODBCPreparedStatement::ExecuteUpdate(), ODBCCallableStatement::ExecuteUpdate(), testing::ExpectationSet::ExpectationSet(), ExploreTTrees(), TpcPrototypeUnpacker::exportDSTCluster(), Acts::Polyhedron::extent(), Acts::SinglyCharged::extractCharge(), genfit::RKTrackRep::extrapolateToCone(), PHGenFit::extrapolateToCylinder(), PHGenFit::Track::extrapolateToCylinder(), PHGenFit::Track::extrapolateToLine(), PHGenFit::Track::extrapolateToPlane(), PHGenFit::Track::extrapolateToPoint(), boost::array< T, 0 >::failed_rangecheck(), FEEDataSize(), JetEvaluator::fillOutputNtuples(), JetEnergies::fillOutputNtuples(), psTOFTimezeroEval::fillOutputNtuples(), SvtxEvaluatorHaiwang::fillOutputNtuples(), TrkrNtuplizer::fillOutputNtuples(), CaloEvaluator::fillOutputNtuples(), SvtxEvaluator::fillOutputNtuples(), TrackResiduals::fillStatesWithLineFit(), GPUTPCTrackParam::Filter(), OnlMonStatusDB::FindAndInsertRunNum(), OnCalServer::FindClosestCalibratedRun(), ODBCResultSet::FindColumn(), OnlMonStatusDB::findRunNumInDB(), OnCalServer::findRunNumInDB(), HFTrackEfficiency::findTracks(), genfit::GFRaveVertexFactory::findVertices(), PHRaveVertexFactory::findVertices(), ODBCResultSet::First(), gbl::GblTrajectory::fit(), genfit::KalmanFitter::fitTrack(), OnCalServer::FixMissingCalibration(), fjetResol(), testing::internal::FormatTimeInMillisAsSeconds(), PHTimer::Frequency::Frequency(), FullCylEIC(), FullCylRProj(), FullCylRProjPHENIXComparison(), FullCylZProj(), Fun4All(), Fun4All_G4_EICDetector_LQ(), Fun4All_G4_EICDetector_LQ_reference(), Fun4All_G4_EICDetector_RICH(), Fun4All_G4_LeadBrick(), Fun4All_G4_Momentum(), Fun4All_G4_Momentum_Projection(), Fun4All_G4_Momentum_Projection_Calorimeters(), Fun4All_G4_Momentum_Projection_Detectors(), Fun4All_G4_Prototype2(), Fun4All_G4_Prototype3(), Fun4All_G4_Prototype4(), Fun4All_G4_sPHENIX_photonjet(), Fun4All_G4_sPHENIX_photons(), Fun4All_G4_sPHENIX_truthphotonjet(), Fun4All_G4_TPC(), Fun4All_Generator_Display(), Fun4All_PRDF(), Fun4All_TestBeam(), PHTruthClustering::G4ClusterSize(), SvtxTruthEval::G4ClusterSize(), G4DSTreader(), G4DSTreader_EICDetector(), G4DSTreader_fsPHENIX(), generate_ep_dis(), Matter::generate_vac_z(), Matter::generate_vac_z_w_M(), MultiArray< TVector3 >::Get(), get_bin_average_and_count(), CylinderGeom_Mvtx::get_pixel_from_local_coords(), KFParticle::GetAngle(), KFParticle::GetAngleRZ(), KFParticle::GetAngleXY(), KFParticleBaseSIMD::GetArmenterosPodolanski(), ODBCResultSet::GetAsciiStream(), ODBCConnection::GetAutoCommit(), genfit::RKTrackRep::getBackwardJacobianAndNoise(), ODBCDatabaseMetaData::GetBestRowIdentifier(), ODBCResultSet::GetBinaryStream(), ODBCCallableStatement::GetBoolean(), ODBCResultSet::GetBoolean(), ODBCCallableStatement::GetByte(), ODBCResultSet::GetByte(), ODBCCallableStatement::GetBytes(), ODBCResultSet::GetBytes(), OnCalServer::GetCalibStatus(), ODBCConnection::GetCatalog(), ODBCResultSetMetaData::GetCatalogName(), ODBCDatabaseMetaData::GetCatalogs(), ODBCDatabaseMetaData::GetCatalogSeparator(), ODBCDatabaseMetaData::GetCatalogTerm(), genfit::KalmanFitterInfo::getClosestMeasurementOnPlane(), ODBCResultSetMetaData::GetColumnCount(), ODBCResultSetMetaData::GetColumnDisplaySize(), ODBCResultSetMetaData::GetColumnLabel(), ODBCResultSetMetaData::GetColumnName(), ODBCDatabaseMetaData::GetColumnPrivileges(), ODBCDatabaseMetaData::GetColumns(), ODBCResultSetMetaData::GetColumnType(), ODBCResultSetMetaData::GetColumnTypeName(), ODBCResultSet::GetConcurrency(), OnlMonStatusDB::GetConnection(), PktSizeDBodbc::GetConnection(), FROG::GetConnection(), OnlMonDBodbc::GetConnection(), RunToTimePg::GetConnection(), EmcCluster::GetCorrPos(), ODBCDatabaseMetaData::GetCrossReference(), ODBCResultSet::GetCursorName(), ODBCDatabaseMetaData::GetDatabaseProductName(), ODBCDatabaseMetaData::GetDatabaseProductVersion(), ODBCCallableStatement::GetDate(), ODBCResultSet::GetDate(), GPUTPCTrackParam::GetDCAPoint(), KFParticleBase::GetDecayLength(), KFParticleBase::GetDecayLengthXY(), ODBCDatabaseMetaData::GetDefaultTransactionIsolation(), KFParticle::GetDeviationFromVertexXY(), KFParticle::GetDistanceFromVertexXY(), KFParticleSIMD::GetDistanceFromVertexXY(), KFParticleBaseSIMD::GetDistanceToVertexLine(), ODBCCallableStatement::GetDouble(), ODBCResultSet::GetDouble(), ODBCDatabaseMetaData::GetDriverMajorVersion(), ODBCDatabaseMetaData::GetDriverMinorVersion(), ODBCDatabaseMetaData::GetDriverName(), ODBCDatabaseMetaData::GetDriverVersion(), KFParticleBaseSIMD::GetDStoParticleB(), KFParticleBaseSIMD::GetDStoParticleBz(), KFParticleBaseSIMD::GetDStoParticleCBM(), KFParticleBaseSIMD::GetDStoParticleLine(), KFParticleBase::GetDStoPointB(), KFParticleBase::GetDStoPointBz(), KFParticleBaseSIMD::GetDStoPointBz(), KFParticleBase::GetDStoPointLine(), KFParticleBaseSIMD::GetDStoPointLine(), EmcCluster::GetECoreCorrected(), getenergyhlle_(), ODBCStatement::GetEscapeProcessing(), ODBCPreparedStatement::GetEscapeProcessing(), ODBCCallableStatement::GetEscapeProcessing(), KFParticleBase::GetEta(), eventReceiverClient::getEvent(), ODBCDatabaseMetaData::GetExportedKeys(), ODBCDatabaseMetaData::GetExtraNameCharacters(), ODBCStatement::GetFetchSize(), ODBCPreparedStatement::GetFetchSize(), ODBCResultSet::GetFetchSize(), ODBCCallableStatement::GetFetchSize(), shower2::GetFinal(), genfit::KalmanFitterInfo::getFittedState(), ODBCCallableStatement::GetFloat(), ODBCResultSet::GetFloat(), Jetscape::Afterburner::GetFragmentationHadrons(), ActsFatras::detail::GeneralMixture::getGaussmix(), Fatras::GeneralMixture::getGaussmix(), EmcCluster::GetGlobalPos(), GubserHydro::GetHydroInfo(), HydroFromFile::GetHydroInfo(), HydroinfoH5::getHydroinfo(), Hydroinfo_MUSIC::getHydroValues(), ODBCDatabaseMetaData::GetIdentifierQuoteString(), ODBCDatabaseMetaData::GetImportedKeys(), ODBCDatabaseMetaData::GetIndexInfo(), ODBCCallableStatement::GetInt(), ODBCResultSet::GetInt(), OnCalDBodbc::GetLastCalibratedRun(), OnCalServer::GetLastGoodRunTS(), ODBCCallableStatement::GetLong(), ODBCResultSet::GetLong(), KFParticleBase::GetMass(), ODBCDatabaseMetaData::GetMaxBinaryLiteralLength(), ODBCDatabaseMetaData::GetMaxCatalogNameLength(), ODBCDatabaseMetaData::GetMaxCharLiteralLength(), ODBCDatabaseMetaData::GetMaxColumnNameLength(), ODBCDatabaseMetaData::GetMaxColumnsInGroupBy(), ODBCDatabaseMetaData::GetMaxColumnsInIndex(), ODBCDatabaseMetaData::GetMaxColumnsInOrderBy(), ODBCDatabaseMetaData::GetMaxColumnsInSelect(), ODBCDatabaseMetaData::GetMaxColumnsInTable(), ODBCDatabaseMetaData::GetMaxConnections(), ODBCDatabaseMetaData::GetMaxCursorNameLength(), ODBCStatement::GetMaxFieldSize(), ODBCPreparedStatement::GetMaxFieldSize(), ODBCCallableStatement::GetMaxFieldSize(), ODBCDatabaseMetaData::GetMaxIndexLength(), ODBCDatabaseMetaData::GetMaxProcedureNameLength(), ODBCStatement::GetMaxRows(), ODBCPreparedStatement::GetMaxRows(), ODBCCallableStatement::GetMaxRows(), ODBCDatabaseMetaData::GetMaxRowSize(), ODBCDatabaseMetaData::GetMaxSchemaNameLength(), ODBCDatabaseMetaData::GetMaxStatementLength(), ODBCDatabaseMetaData::GetMaxStatements(), ODBCDatabaseMetaData::GetMaxTableNameLength(), ODBCDatabaseMetaData::GetMaxTablesInSelect(), ODBCDatabaseMetaData::GetMaxUserNameLength(), genfit::AbsKalmanFitter::getMeasurements(), ODBCConnection::GetMetaData(), EmcCluster::GetMoments(), KFParticleBase::GetMomentum(), ODBCStatement::GetMoreResults(), ODBCPreparedStatement::GetMoreResults(), ODBCCallableStatement::GetMoreResults(), testEventiterator::getNextEvent(), listEventiterator::getNextEvent(), ODBCDatabaseMetaData::GetNumericFunctions(), PktSizeDBodbc::GetPacketContent(), DVMPHelper::GetParticleReco(), Jetscape::PartonShower::GetParton(), KFParticleBase::GetPhi(), KFParticleBaseSIMD::GetPhi(), ODBCResultSetMetaData::GetPrecision(), ODBCDatabaseMetaData::GetPrimaryKeys(), EmcCluster::GetProb(), ODBCDatabaseMetaData::GetProcedureColumns(), ODBCDatabaseMetaData::GetProcedures(), ODBCDatabaseMetaData::GetProcedureTerm(), KFParticleBase::GetPt(), MultiArray< TVector3 >::GetPtr(), ODBCStatement::GetQueryTimeout(), ODBCPreparedStatement::GetQueryTimeout(), ODBCCallableStatement::GetQueryTimeout(), KFParticleBase::GetR(), KFParticleBaseSIMD::GetR(), genfit::KalmanFitterInfo::getResidual(), ODBCStatement::GetResultSet(), ODBCPreparedStatement::GetResultSet(), ODBCCallableStatement::GetResultSet(), ODBCStatement::GetResultSetConcurrency(), ODBCPreparedStatement::GetResultSetConcurrency(), ODBCCallableStatement::GetResultSetConcurrency(), ODBCStatement::GetResultSetType(), ODBCPreparedStatement::GetResultSetType(), ODBCCallableStatement::GetResultSetType(), ODBCResultSet::GetRow(), RunToTimePg::getRunNumber(), RunDBodbc::GetRunNumbers(), GPUTPCTrackParam::GetS(), ODBCResultSetMetaData::GetScale(), genfit::GblFitter::getScattererFromMatList(), getScattererFromMatList(), ODBCResultSetMetaData::GetSchemaName(), ODBCDatabaseMetaData::GetSchemas(), ODBCDatabaseMetaData::GetSchemaTerm(), ODBCDatabaseMetaData::GetSearchStringEscape(), ODBCCallableStatement::GetShort(), ODBCResultSet::GetShort(), ODBCDatabaseMetaData::GetSQLKeywords(), ODBCCallableStatement::GetString(), ODBCResultSet::GetString(), ODBCDatabaseMetaData::GetStringFunctions(), ODBCDatabaseMetaData::GetSystemFunctions(), ODBCResultSetMetaData::GetTableName(), ODBCDatabaseMetaData::GetTablePrivileges(), ODBCDatabaseMetaData::GetTables(), ODBCDatabaseMetaData::GetTableTerm(), ODBCDatabaseMetaData::GetTableTypes(), Martini::getThermalVec(), ODBCCallableStatement::GetTime(), RunToTimePg::getTime(), ODBCResultSet::GetTime(), ODBCDatabaseMetaData::GetTimeDateFunctions(), ODBCCallableStatement::GetTimestamp(), ODBCResultSet::GetTimestamp(), genfit::Track::getTOF(), ODBCConnection::GetTrace(), ODBCConnection::GetTraceFile(), genfit::Track::getTrackLen(), PHActsInitialVertexFinder::getTrackPointers(), ODBCConnection::GetTransactionIsolation(), ODBCResultSet::GetType(), ODBCDatabaseMetaData::GetTypeInfo(), ODBCStatement::GetUpdateCount(), ODBCPreparedStatement::GetUpdateCount(), ODBCCallableStatement::GetUpdateCount(), ODBCDatabaseMetaData::GetUserName(), getvalueshlle_(), OnlMonDBodbc::GetVar(), ODBCDatabaseMetaData::GetVersionColumns(), half::half(), halfToFloat(), testing::internal::HandleExceptionsInMethodIfSupported(), Jetscape::Hadron::has_no_position(), HCALInner_Towers(), HCALOuter_Towers(), hera_dis_countbins(), graph::hide_edge(), ICGlauber::ICGlauber(), CaloGeomMapping::Init(), CaloWaveformSim::Init(), DSTEmulator::Init(), PgPostBankBackupLog::Init(), biconnectivity::init_handler(), QAG4SimulationJet::Init_Spectrum(), SoftLeptonTaggingTruth::Init_Spectrum(), QAG4SimulationCalorimeter::Init_Tower(), initELut(), ReadLD::Initialize(), ReadBDTG::Initialize(), MpiMusic::InitializeHydro(), RawClusterBuilderGraph::InitRun(), PHG4ParticleGeneratorD0::InitRun(), PHG4PileupGenerator::InitRun(), RawTowerBuilder::InitRun(), RawClusterBuilderTemplate::InitRun(), RawTowerDeadTowerInterp::InitRun(), TPCIntegratedCharge::InitRun(), HcalRawTowerBuilder::InitRun(), PHG4BlockCellReco::InitRun(), RawTowerBuilderByHitIndex::InitRun(), PHG4CentralityReco::InitRun(), PHG4CylinderCellReco::InitRun(), CaloTowerCalib::InitRun(), CaloTowerStatus::InitRun(), RawClusterBuilderTopo::InitRun(), RawTowerCalibration::InitRun(), QAG4SimulationIntt::InitRun(), QAG4SimulationMvtx::InitRun(), FastPid_RICH::InitRun(), RawTowerDigitizer::InitRun(), RICHParticleID::InitRun(), caloTowerEmbed::InitRun(), TpcClusterizer::InitRun(), PHActsGSF::InitRun(), RawTowerCombiner::InitRun(), PHG4InnerHcalSteppingAction::InitWithNode(), PHG4OuterHcalSteppingAction::InitWithNode(), PHG4IHCalSteppingAction::InitWithNode(), PHG4OHCalSteppingAction::InitWithNode(), graph::insert_reverse_edges(), planar_embedding::insert_selfloop(), ODBCResultSet::InsertRow(), OnCalServer::insertRunNumInDB(), ODBCDatabaseMetaData::InsertsAreDetected(), interpCubicDirect(), interpCubicMono(), interpLinearDirect(), interpLinearMono(), interpNearestDirect(), interpNearestMono(), Acts::ConeSurface::intersectionSolver(), KFParticleBase::InvertCholetsky3(), KFParticleBaseSIMD::InvertCholetsky3(), genfit::tools::invertMatrix(), HybridHadronization::invoke_py(), irand(), trento::MinDistNucleus::is_too_close(), ODBCResultSet::IsAfterLast(), ODBCResultSetMetaData::IsAutoIncrement(), ODBCResultSet::IsBeforeFirst(), ODBCResultSetMetaData::IsCaseSensitive(), ODBCDatabaseMetaData::IsCatalogAtStart(), Martini::isCoherent(), ODBCResultSetMetaData::IsCurrency(), ODBCResultSetMetaData::IsDefinitelyWritable(), half::isDenormalized(), half::isFinite(), ODBCResultSet::IsFirst(), Hydro::ISformal(), half::isInfinity(), ODBCResultSet::IsLast(), half::isNan(), half::isNormalized(), ODBCResultSetMetaData::IsNullable(), ODBCConnection::IsReadOnly(), ODBCDatabaseMetaData::IsReadOnly(), ODBCResultSetMetaData::IsReadOnly(), ODBCResultSetMetaData::IsSearchable(), ODBCResultSetMetaData::IsSigned(), ODBCResultSetMetaData::IsWritable(), Jet_reso(), ClusterSequence::jet_scale_for_algorithm(), KFPartEfficiencies::KFPartEfficiencies(), kill_trailing(), ODBCResultSet::Last(), PHTruthClustering::line_circle_intersection(), SvtxTruthEval::line_circle_intersection(), Polyhedron::lines_equal(), graph::load(), shower2::load_edge_info_handler(), Jetscape::PartonShower::load_edge_info_handler(), TSQLImporter::LoadTable(), PgPostBankBackupLog::Log(), main(), Langevin::Make(), make_error_code(), Acts::make_error_code(), Acts::Experimental::make_error_code(), ActsFatras::make_error_code(), ActsFatras::detail::make_error_code(), ActsAlignment::make_error_code(), makeGeom(), genfit::EventDisplay::makeLines(), makePlot_truth_xQ2_Studies(), makePlot_xQ2_Studies(), MakePtResolution(), MakeRadiusCut(), MakeShowerGraph(), TpcPrototypeGenFitTrkFitter::MakeTpcPrototypeTrack(), PHActsVertexFitter::makeTrackParam(), PHTpcResiduals::makeTrackParams(), SvtxClusterEval::max_truth_particle_by_cluster_energy(), SvtxHitEval::max_truth_particle_by_energy(), SvtxClusterEval::max_truth_particle_by_energy(), CaloRawClusterEval::max_truth_primary_shower_by_energy(), CaloRawTowerEval::max_truth_primary_shower_by_energy(), ThermalPartonSampler::MCSampler(), mg_deliver_websocket_data(), mg_get_http_var(), BEmcRec::Momenta(), MoveDescendantsToParent(), ODBCResultSet::MoveToCurrentRow(), ODBCResultSet::MoveToInsertRow(), MultiArray< TVector3 >::MultiArray(), ODBCConnection::NativeSQL(), graph::new_edge(), my_graph::new_parton(), Jetscape::PartonShower::new_parton(), shower2::new_parton(), shower::new_parton(), ODBCResultSet::Next(), PHG4SpacalSteppingAction::NoHitSteppingAction(), NoiseSimulator(), Acts::NonNeutralCharge::NonNeutralCharge(), Hydro::NSquant(), Jetscape::JetScapeParticleBase::nu(), ODBCDatabaseMetaData::NullPlusNonNullIsNull(), ODBCDatabaseMetaData::NullsAreSortedAtEnd(), ODBCDatabaseMetaData::NullsAreSortedAtStart(), ODBCDatabaseMetaData::NullsAreSortedHigh(), ODBCDatabaseMetaData::NullsAreSortedLow(), OccupancySim(), ODBCConnection::ODBCConnection(), ODBCResultSet::ODBCResultSet(), OM(), Fatras::Scattering< formula_t >::operator()(), testing::gmock_generated_actions_test::SumOf5Functor::operator()(), testing::gmock_more_actions_test::SumOf5Functor::operator()(), PseudoJet::operator()(), Jetscape::operator<<(), symlist< T >::operator=(), operator==(), Acts::Surface::operator==(), ODBCDatabaseMetaData::OthersDeletesAreVisible(), ODBCDatabaseMetaData::OthersInsertsAreVisible(), ODBCDatabaseMetaData::OthersUpdatesAreVisible(), FluidcellStatistic::output_momentum_anisotropy_vs_tau(), FluidcellStatistic::output_temperature_vs_avg_utau(), Fluid::outputGnuplot(), FluidcellStatistic::outputinverseReynoldsNumberasTauvsX(), FluidcellStatistic::outputKnudersonNumberasTauvsX(), ODBCDatabaseMetaData::OwnDeletesAreVisible(), ODBCDatabaseMetaData::OwnInsertsAreVisible(), ODBCDatabaseMetaData::OwnUpdatesAreVisible(), Jetscape::JetScapeParticleBase::p(), Jetscape::JetScapeParticleBase::p_in(), DVMPHelper::pass_cut(), Jetscape::JetScapeParticleBase::pl(), plot(), plot_checks(), plot_dis_acceptance(), plot_g1_projection(), Plot_Measured_Energy_EMC(), plot_sidis_proj_uncertainty(), plotembed_vscent(), planar_embedding::pos(), bellman_ford::predecessor_node(), BEmcRec::PredictEnergyParam(), BEmcRec::PredictEnergyProb(), ODBCConnection::PrepareCall(), ODBCConnection::PrepareStatement(), genfit::KalmanFitterRefTrack::prepareTrack(), ODBCResultSet::Previous(), CaloEvaluator::printOutputInfo(), process_event(), RawClusterBuilderGraph::process_event(), Prototype2RawTowerBuilder::process_event(), PHG4ParticleGeneratorD0::process_event(), RawTowerBuilder::process_event(), RawClusterBuilderTemplate::process_event(), TPCIntegratedCharge::process_event(), QAG4SimulationUpsilon::process_event(), EventCombiner::process_event(), HcalRawTowerBuilder::process_event(), MvtxQAHisto::process_event(), G4SnglNtuple::process_event(), G4SnglTree::process_event(), PHG4SimpleEventGenerator::process_event(), PHG4FullProjSpacalCellReco::process_event(), Proto4SampleFrac::process_event(), hijbkg_upc::process_event(), TpcPrototypeUnpacker::process_event(), PHG4Reco::process_event(), FullJetFinder::process_event(), MyJetAnalysis::process_event(), LiteCaloEval::process_event(), cemcReco::process_event(), Fun4AllServer::process_event(), RawTowerCombiner::process_event(), QAG4SimulationCalorimeter::process_event_Cluster(), QAG4SimulationCalorimeterSum::process_event_Cluster(), QAG4SimulationCalorimeter::process_event_G4Hit(), sPHAnalysis::process_event_pythiaupsilon(), EMCalAna::process_event_SF(), EMCalCalib::process_event_SF(), QAG4SimulationCalorimeter::process_event_Tower(), QAG4SimulationCalorimeterSum::process_event_TrackProj(), QAG4SimulationJet::process_TruthMatching(), PHGenFit::Fitter::processTrack(), genfit::KalmanFitterRefTrack::processTrackPoint(), genfit::KalmanFitterRefTrack::processTrackPointSqrt(), genfit::KalmanFitterRefTrack::processTrackWithRep(), genfit::KalmanFitter::processTrackWithRep(), genfit::DAF::processTrackWithRep(), genfit::GFGbl::processTrackWithRep(), genfit::GblFitter::processTrackWithRep(), genfit::MeasurementProducer< hit_T, measurement_T >::produce(), maxflow_pp::pull(), maxflow_pp::push(), pwithpF(), HybridHadronization::HHparton::px(), HybridHadronization::HHhadron::px(), HybridHadronization::HHparton::py(), HybridHadronization::HHhadron::py(), HybridHadronization::HHparton::pz(), HybridHadronization::HHhadron::pz(), Acts::SinglyCharged::qOverP(), Acts::Sycl::QueueWrapper::QueueWrapper(), QuickWeirdTuplePlotter(), LBT::radiationHQ(), boost::array< T, N >::rangecheck(), ActsExamples::CsvParticleReader::read(), ActsExamples::RootParticleReader::read(), ActsExamples::CsvMeasurementReader::read(), FieldMaps::ReadCharge(), Hydroinfo_MUSIC::readHydroData(), ActsExamples::EDM4hepUtil::readParticle(), rebin_TH1D(), HybridHadronization::recomb(), ODBCConnection::RefreshDataSources(), ODBCConnection::RefreshDrivers(), ODBCResultSet::RefreshRow(), ODBCCallableStatement::RegisterOutParameter(), Fun4AllServer::registerSubsystem(), RejectionCompare(), ODBCResultSet::Relative(), bellman_ford::relax(), ALICEKF::repairCovariance(), Jetscape::Parton::reset_p(), graph::restore_edge(), genfit::MplTrackRep::RKPropagate(), genfit::RKTrackRep::RKPropagate(), ODBCConnection::Rollback(), rootTrackClusterEnergy(), GPUTPCTrackParam::Rotate(), half::round(), ODBCResultSet::RowDeleted(), ODBCResultSet::RowInserted(), ODBCResultSet::RowUpdated(), Fun4AllHepMCPileupInputManager::run(), Fun4AllSingleDstPileupInputManager::run(), Fun4AllDstPileupInputManager::run(), Acts::Test::runTest(), RunDBodbc::RunType(), ThermalPartonSampler::sample_2p1d(), ThermalPartonSampler::sample_3p1d(), Jetscape::PartonShower::save_edge_info_handler(), sChargeMap::SaveRho(), MultiArray< TVector3 >::Set(), SvtxTrack_v1::set_cal_cluster_e(), SvtxTrack_v2::set_cal_cluster_e(), SvtxTrack_v3::set_cal_cluster_e(), PHG4Particlev2::set_e(), ParticleFlowElementv1::set_e(), Jetv1::set_e(), Jetv2::set_e(), G4RootHitContainer::set_eion(), G4RootScintillatorSlatContainer::set_eion(), G4RootScintillatorTowerContainer::set_eion(), RawTowerv1::set_energy(), RawTower_Prototype4::set_energy(), RawTower_Prototype2::set_energy(), RawTower_Prototype3::set_energy(), G4RootHitContainer::set_etotal(), G4RootRawTowerContainer::set_etotal(), G4RootScintillatorSlatContainer::set_etotal(), G4RootScintillatorTowerContainer::set_etotal(), PHG4Particlev3::set_ExcitEnergy(), HybridHadronization::set_initial_parton_masses(), Jetscape::Parton::set_mean_form_time(), EventPlaneReco::set_sEPD_Mip_cut(), HybridHadronization::set_spacetime_for_pythia_hadrons(), Jetscape::Parton::set_t(), RawClusterBuilderGraph::set_threshold_energy(), RawClusterBuilderTemplate::set_threshold_energy(), PHG4ParticleGeneratorVectorMeson::set_upsilon_1s(), PHG4ParticleGeneratorVectorMeson::set_upsilon_2s(), PHG4ParticleGeneratorVectorMeson::set_upsilon_3s(), ODBCPreparedStatement::SetAsciiStream(), ODBCCallableStatement::SetAsciiStream(), ODBCConnection::SetAutoCommit(), ODBCPreparedStatement::SetBinaryStream(), ODBCCallableStatement::SetBinaryStream(), ODBCPreparedStatement::SetBoolean(), ODBCCallableStatement::SetBoolean(), ODBCPreparedStatement::SetByte(), ODBCCallableStatement::SetByte(), ODBCPreparedStatement::SetBytes(), ODBCCallableStatement::SetBytes(), ODBCConnection::SetCatalog(), ODBCStatement::SetCursorName(), ODBCPreparedStatement::SetCursorName(), ODBCCallableStatement::SetCursorName(), ODBCPreparedStatement::SetDate(), ODBCCallableStatement::SetDate(), Prototype2RawTowerBuilder::SetDefaultParameters(), PHG4InttDigitizer::SetDefaultParameters(), PHG4TpcSubsystem::SetDefaultParameters(), PHG4InttSubsystem::SetDefaultParameters(), PHG4TpcEndCapSubsystem::SetDefaultParameters(), HcalRawTowerBuilder::SetDefaultParameters(), ODBCPreparedStatement::SetDouble(), ODBCCallableStatement::SetDouble(), Conversion::setElectron(), ReadSynRadFiles::SetEntryPerEvent(), ODBCStatement::SetEscapeProcessing(), ODBCPreparedStatement::SetEscapeProcessing(), ODBCCallableStatement::SetEscapeProcessing(), ODBCResultSet::SetFetchSize(), ReadEICFiles::SetFirstEntry(), ODBCPreparedStatement::SetFloat(), ODBCCallableStatement::SetFloat(), IC::setIC(), ICGubser::setIC(), ICGlauber::setIC(), SColdQcdCorrelatorAnalysis::SCorrelatorUtilities::JetInfo::SetInfo(), SColdQcdCorrelatorAnalysis::SCorrelatorUtilities::CstInfo::SetInfo(), ODBCPreparedStatement::SetInt(), ODBCCallableStatement::SetInt(), ODBCPreparedStatement::SetLong(), ODBCCallableStatement::SetLong(), KFParticleBase::SetMassConstraint(), KFParticleBaseSIMD::SetMassConstraint(), ODBCStatement::SetMaxFieldSize(), ODBCPreparedStatement::SetMaxFieldSize(), ODBCCallableStatement::SetMaxFieldSize(), ODBCStatement::SetMaxRows(), ODBCPreparedStatement::SetMaxRows(), ODBCCallableStatement::SetMaxRows(), Pi0MassAnalysis::SetMinClusterEnergy(), KFParticleBase::SetNoDecayLength(), Hydro::setNSvalues(), ODBCPreparedStatement::SetNull(), ODBCCallableStatement::SetNull(), ODBCStatement::SetQueryTimeout(), ODBCPreparedStatement::SetQueryTimeout(), ODBCCallableStatement::SetQueryTimeout(), ODBCConnection::SetReadOnly(), ODBCPreparedStatement::SetShort(), ODBCCallableStatement::SetShort(), ODBCPreparedStatement::SetString(), ODBCCallableStatement::SetString(), ODBCPreparedStatement::SetTime(), ODBCCallableStatement::SetTime(), ODBCPreparedStatement::SetTimestamp(), ODBCCallableStatement::SetTimestamp(), ODBCConnection::SetTrace(), ODBCConnection::SetTraceFile(), ODBCConnection::SetTransactionIsolation(), genfit::KalmanFitterInfo::setWeights(), ShowerShape_Checks(), ODBCConnection::Shutdown(), simulateTimestamps(), Acts::SinglyCharged::SinglyCharged(), Hydro::source_step(), st_number::st_edge(), Acts::EigenStepper< extensionlist_t, auctioneer_t >::step(), ODBCDatabaseMetaData::StoresLowerCaseIdentifiers(), ODBCDatabaseMetaData::StoresLowerCaseQuotedIdentifiers(), ODBCDatabaseMetaData::StoresMixedCaseIdentifiers(), ODBCDatabaseMetaData::StoresMixedCaseQuotedIdentifiers(), ODBCDatabaseMetaData::StoresUpperCaseIdentifiers(), ODBCDatabaseMetaData::StoresUpperCaseQuotedIdentifiers(), HybridHadronization::stringprep(), testing::gmock_generated_actions_test::SumOf5(), testing::gmock_more_actions_test::SumOf5(), testing::gmock_more_actions_test::Foo::SumOf5(), ODBCDatabaseMetaData::SupportsAlterTableWithAddColumn(), ODBCDatabaseMetaData::SupportsAlterTableWithDropColumn(), ODBCDatabaseMetaData::SupportsANSI92EntryLevelSQL(), ODBCDatabaseMetaData::SupportsANSI92FullSQL(), ODBCDatabaseMetaData::SupportsANSI92IntermediateSQL(), ODBCDatabaseMetaData::SupportsBatchUpdates(), ODBCDatabaseMetaData::SupportsCatalogsInDataManipulation(), ODBCDatabaseMetaData::SupportsCatalogsInIndexDefinitions(), ODBCDatabaseMetaData::SupportsCatalogsInPrivilegeDefinitions(), ODBCDatabaseMetaData::SupportsCatalogsInProcedureCalls(), ODBCDatabaseMetaData::SupportsCatalogsInTableDefinitions(), ODBCDatabaseMetaData::SupportsColumnAliasing(), ODBCDatabaseMetaData::SupportsConvert(), ODBCDatabaseMetaData::SupportsCoreSQLGrammar(), ODBCDatabaseMetaData::SupportsCorrelatedSubqueries(), ODBCDatabaseMetaData::SupportsDataDefinitionAndDataManipulationTransactions(), ODBCDatabaseMetaData::SupportsDataManipulationTransactionsOnly(), ODBCDatabaseMetaData::SupportsDifferentTableCorrelationNames(), ODBCDatabaseMetaData::SupportsExpressionsInOrderBy(), ODBCDatabaseMetaData::SupportsExtendedSQLGrammar(), ODBCDatabaseMetaData::SupportsFullOuterJoins(), ODBCDatabaseMetaData::SupportsGroupBy(), ODBCDatabaseMetaData::SupportsGroupByBeyondSelect(), ODBCDatabaseMetaData::SupportsGroupByUnrelated(), ODBCDatabaseMetaData::SupportsIntegrityEnhancementFacility(), ODBCDatabaseMetaData::SupportsLikeEscapeClause(), ODBCDatabaseMetaData::SupportsLimitedOuterJoins(), ODBCDatabaseMetaData::SupportsMinimumSQLGrammar(), ODBCDatabaseMetaData::SupportsMixedCaseIdentifiers(), ODBCDatabaseMetaData::SupportsMixedCaseQuotedIdentifiers(), ODBCDatabaseMetaData::SupportsMultipleResultSets(), ODBCDatabaseMetaData::SupportsMultipleTransactions(), ODBCDatabaseMetaData::SupportsNonNullableColumns(), ODBCDatabaseMetaData::SupportsOpenCursorsAcrossCommit(), ODBCDatabaseMetaData::SupportsOpenCursorsAcrossRollback(), ODBCDatabaseMetaData::SupportsOpenStatementsAcrossCommit(), ODBCDatabaseMetaData::SupportsOpenStatementsAcrossRollback(), ODBCDatabaseMetaData::SupportsOrderByUnrelated(), ODBCDatabaseMetaData::SupportsOuterJoins(), ODBCDatabaseMetaData::SupportsPositionedDelete(), ODBCDatabaseMetaData::SupportsPositionedUpdate(), ODBCDatabaseMetaData::SupportsResultSetConcurrency(), ODBCDatabaseMetaData::SupportsResultSetType(), ODBCDatabaseMetaData::SupportsSchemasInDataManipulation(), ODBCDatabaseMetaData::SupportsSchemasInIndexDefinitions(), ODBCDatabaseMetaData::SupportsSchemasInPrivilegeDefinitions(), ODBCDatabaseMetaData::SupportsSchemasInProcedureCalls(), ODBCDatabaseMetaData::SupportsSchemasInTableDefinitions(), ODBCDatabaseMetaData::SupportsSelectForUpdate(), ODBCDatabaseMetaData::SupportsStoredProcedures(), ODBCDatabaseMetaData::SupportsSubqueriesInComparisons(), ODBCDatabaseMetaData::SupportsSubqueriesInExists(), ODBCDatabaseMetaData::SupportsSubqueriesInIns(), ODBCDatabaseMetaData::SupportsSubqueriesInQuantifieds(), ODBCDatabaseMetaData::SupportsTableCorrelationNames(), ODBCDatabaseMetaData::SupportsTransactionIsolationLevel(), ODBCDatabaseMetaData::SupportsTransactions(), ODBCDatabaseMetaData::SupportsUnion(), ODBCDatabaseMetaData::SupportsUnionAll(), Acts::Frustum< value_t, DIM, SIDES >::svg(), Svtx_Clustering(), Svtx_Reco(), symlist< T >::symlist(), OnCalServer::SyncCalibTimeStampsToOnCal(), OnCalServer::SyncOncalTimeStampsToRunDB(), Jetscape::Parton::t(), testing::gmock_generated_actions_test::TEST(), TEST_CASE(), test_combined_bound_state_function(), test_components_modifying_accessors(), testing::gmock_matchers_test::TEST_F(), test_not_in_range(), FitterTester::test_ZeroFieldShuffled(), testEventiterator::testEventiterator(), TestFailureThrowsRuntimeError(), Acts::Test::testJacobianToGlobal(), ICGlauber::Thickness(), Acts::TorchEdgeClassifier::TorchEdgeClassifier(), Acts::TorchMetricLearning::TorchMetricLearning(), Acts::SurfaceArray::toStream(), TrackingQA(), TrackProjection_Checks(), KFParticleBase::TransportBz(), Acts::AtlasStepper::transportCovarianceToBound(), Acts::AtlasStepper::transportCovarianceToCurvilinear(), KFParticleBaseSIMD::TransportToDecayVertex(), KFParticleBaseSIMD::TransportToProductionVertex(), GPUTPCTrackParam::TransportToX(), Acts::TrigFTF_GNN_Layer< external_spacepoint_t >::TrigFTF_GNN_Layer(), TriggerMultiplicity(), genfit::Track::udpateSeed(), ODBCResultSet::UpdateAsciiStream(), ODBCResultSet::UpdateBinaryStream(), ODBCResultSet::UpdateBoolean(), ODBCResultSet::UpdateByte(), ODBCResultSet::UpdateBytes(), ODBCResultSet::UpdateDate(), OnCalServer::updateDB(), OnCalServer::updateDBRunRange(), ODBCResultSet::UpdateDouble(), ODBCResultSet::UpdateFloat(), ODBCResultSet::UpdateInt(), ODBCResultSet::UpdateLong(), ODBCResultSet::UpdateNull(), PHGenFit::Track::updateOneMeasurementKalman(), ODBCResultSet::UpdateRow(), ODBCDatabaseMetaData::UpdatesAreDetected(), ODBCResultSet::UpdateShort(), OnlMonStatusDB::UpdateStatus(), ODBCResultSet::UpdateString(), ODBCResultSet::UpdateTime(), ODBCResultSet::UpdateTimestamp(), TreeMaker::UseFastJet(), ODBCDatabaseMetaData::UsesLocalFilePerTable(), ODBCDatabaseMetaData::UsesLocalFiles(), Acts::TrigFTF_GNN_Layer< external_spacepoint_t >::verifyBin(), VertexCyl(), VertexingQA(), Hydro::visc_flux(), Hydro::visc_source_step(), ODBCCallableStatement::WasNull(), ODBCResultSet::WasNull(), ActsExamples::TrackFinderPerformanceWriter::Impl::write(), ActsExamples::EDM4hepUtil::writeParticle(), ActsExamples::CsvParticleWriter::writeT(), ActsExamples::RootParticleWriter::writeT(), ActsExamples::RootNuclearInteractionParametersWriter::writeT(), zdc_calib(), Acts::zip(), ODBCCallableStatement::~ODBCCallableStatement(), ODBCConnection::~ODBCConnection(), ODBCPreparedStatement::~ODBCPreparedStatement(), ODBCResultSet::~ODBCResultSet(), ODBCResultSetMetaData::~ODBCResultSetMetaData(), and ODBCStatement::~ODBCStatement().

constexpr double Acts::UnitConstants::eV = 1e-9 * GeV

Definition at line 176 of file Units.hpp.

View newest version in sPHENIX GitHub at line 176 of file Units.hpp

Referenced by Acts::Python::addUnits(), and PHG4Reco::DefineMaterials().

constexpr double Acts::UnitConstants::fm = 1e-12 * mm

Definition at line 141 of file Units.hpp.

View newest version in sPHENIX GitHub at line 141 of file Units.hpp

Referenced by Acts::Python::addFramework(), Acts::Python::addUnits(), and sccalib().

constexpr double Acts::UnitConstants::fs = 1e-15 * s

Definition at line 163 of file Units.hpp.

View newest version in sPHENIX GitHub at line 163 of file Units.hpp

Referenced by Acts::Python::addUnits(), BOOST_AUTO_TEST_CASE(), PHGenFit::Track::get_chi2(), PHGenFit::Track::get_ndf(), main(), and PHRaveVertexing::TranslateSvtxToGenFitTrack().

constexpr double Acts::UnitConstants::g = 1.0 / 1.782662e-24

Definition at line 187 of file Units.hpp.

View newest version in sPHENIX GitHub at line 187 of file Units.hpp

Referenced by Acts::Python::addExaTrkXTrackFinding(), Acts::Python::addGenerators(), Acts::Python::addUnits(), PHG4GDMLWriteMaterials::AtomWrite(), Acts::Test::BOOST_AUTO_TEST_CASE(), BOOST_AUTO_TEST_CASE(), compare_observables(), ActsExamples::Telescope::TelescopeG4DetectorConstruction::Construct(), PHG4BbcDetector::ConstructMe(), PHG4BbcDetector::ConstructSupport(), PHG4MicromegasDetector::create_materials(), PHG4MvtxSupport::CreateMvtxSupportMaterials(), PHG4Reco::DefineMaterials(), Martini::DoEnergyLoss(), ActsFatras::DummyDetectorConstruction::dummyDetector(), PHG4GDMLWriteMaterials::DWrite(), erf_g(), event_topology_reco(), epemGun::Exec(), testing::gmock_matchers_test::FindBacktrackingMaxBPM(), fit_PCAD0Phi0(), gamma_function(), getCoeffs(), Martini::getMomentumTransfer(), GetPHENIXDose(), GetPHENIXNeutron(), GetRAAKang2019(), GetRAARatioKang2019(), Martini::getRateConv(), Martini::getRateRadNeg(), Martini::getRateRadPos(), Martini::getRateRadTotal(), getResolutions(), go(), likelihood(), likelihood_topology(), main(), AlignmentTransformation::newMakeTransform(), Conversion::PHG4VtxPointToSvtxVertex(), power_g(), ps(), PYBIND11_MODULE(), roundCoeffs(), Jetscape::PartonShower::SaveAsGraphML(), PHGeomTGeo::SetGeometry(), showShape(), Matter::sudakov_Pgg(), Matter::sudakov_Pqg(), Matter::sudakov_Pqg_w_M(), Matter::sudakov_Pqp(), testing::gmock_generated_actions_test::TEST(), testing::gmock_matchers_test::TEST_F(), and ActsExamples::MaterialSteppingAction::UserSteppingAction().

constexpr double Acts::UnitConstants::Gauss = 1e-4 * T

Definition at line 194 of file Units.hpp.

View newest version in sPHENIX GitHub at line 194 of file Units.hpp

Referenced by Acts::Python::addUnits(), and BOOST_AUTO_TEST_CASE().

constexpr double Acts::UnitConstants::GeV = 1.0

Definition at line 175 of file Units.hpp.

View newest version in sPHENIX GitHub at line 175 of file Units.hpp

Referenced by PHG4TruthTrackingAction::AddParticle(), Acts::Python::addUnits(), ActsExamples::ParticleTrackingAction::convert(), ActsFatras::Geant4Decay::decayParticle(), Acts::estimateTrackParamsFromSeed(), ActsExamples::EventRecording::execute(), PHG4PrimaryGeneratorAction::GeneratePrimaries(), ActsExamples::SimParticleTranslation::GeneratePrimaries(), PHG4ParticleGeneratorBase::get_mass(), G4Pythia6Decayer::GetParticleMomentum(), PHG4SteppingAction::GetScintLightYield(), PHG4SteppingAction::GetVisibleEnergyDeposition(), G4Pythia6Decayer::ImportDecayProducts(), G4EvtGenDecayer::ImportDecayProducts(), main(), ActsExamples::HepMC3Event::momentumUnit(), PHG4InnerHcalSteppingAction::NoHitSteppingAction(), PHG4OuterHcalSteppingAction::NoHitSteppingAction(), PHG4IHCalSteppingAction::NoHitSteppingAction(), PHG4OHCalSteppingAction::NoHitSteppingAction(), ActsExamples::Geant4::HepMC3::PrimaryGeneratorAction::prepareParticleGun(), PHG4IonGun::Print(), ActsExamples::Pythia8Generator::Pythia8Generator(), ActsExamples::CsvParticleReader::read(), ActsExamples::CsvSimHitReader::read(), ActsExamples::RootParticleReader::read(), ActsExamples::RootSimHitReader::read(), ActsExamples::CsvPlanarClusterReader::read(), ActsExamples::EDM4hepUtil::readParticle(), ActsExamples::Options::readParticleSmearingOptions(), ActsExamples::EDM4hepUtil::readSimHit(), G4Example01SteppingAction::UserSteppingAction(), PHG4ConeSteppingAction::UserSteppingAction(), PHG4SectorSteppingAction::UserSteppingAction(), PHG4EICMvtxSteppingAction::UserSteppingAction(), G4Example03SteppingAction::UserSteppingAction(), PHG4Prototype2InnerHcalSteppingAction::UserSteppingAction(), PHG4CEmcTestBeamSteppingAction::UserSteppingAction(), PHG4EnvelopeSteppingAction::UserSteppingAction(), PHG4Prototype2OuterHcalSteppingAction::UserSteppingAction(), PHG4PSTOFSteppingAction::UserSteppingAction(), PHG4MvtxSteppingAction::UserSteppingAction(), PHG4Prototype3InnerHcalSteppingAction::UserSteppingAction(), G4Example02SteppingAction::UserSteppingAction(), PHG4EPDSteppingAction::UserSteppingAction(), PHG4HcalSteppingAction::UserSteppingAction(), PHG4BlockSteppingAction::UserSteppingAction(), PHG4TpcSteppingAction::UserSteppingAction(), PHG4InttSteppingAction::UserSteppingAction(), PHG4BbcSteppingAction::UserSteppingAction(), BeamLineMagnetSteppingAction::UserSteppingAction(), PHG4TpcEndCapSteppingAction::UserSteppingAction(), PHG4InnerHcalSteppingAction::UserSteppingAction(), PHG4OuterHcalSteppingAction::UserSteppingAction(), PHG4CylinderSteppingAction::UserSteppingAction(), PHG4HcalPrototypeSteppingAction::UserSteppingAction(), ActsExamples::Geant4::HepMC3::SteppingAction::UserSteppingAction(), PHG4IHCalSteppingAction::UserSteppingAction(), PHG4OHCalSteppingAction::UserSteppingAction(), PHG4MicromegasSteppingAction::UserSteppingAction(), PHG4ZDCSteppingAction::UserSteppingAction(), PHG4SpacalPrototype4SteppingAction::UserSteppingAction(), PHG4SpacalPrototypeSteppingAction::UserSteppingAction(), PHG4SpacalSteppingAction::UserSteppingAction(), ActsExamples::TrackFinderPerformanceWriter::Impl::write(), ActsExamples::EDM4hepUtil::writeParticle(), ActsExamples::EDM4hepUtil::writeSimHit(), ActsExamples::CsvSimHitWriter::writeT(), ActsExamples::CsvParticleWriter::writeT(), ActsExamples::RootSimHitWriter::writeT(), ActsExamples::RootParticleWriter::writeT(), and ActsExamples::CsvPlanarClusterWriter::writeT().

constexpr double Acts::UnitConstants::h = 3600.0 * s

Definition at line 169 of file Units.hpp.

View newest version in sPHENIX GitHub at line 169 of file Units.hpp

constexpr double Acts::UnitConstants::keV = 1e-6 * GeV

Definition at line 177 of file Units.hpp.

View newest version in sPHENIX GitHub at line 177 of file Units.hpp

Referenced by Acts::Python::addUnits().

constexpr double Acts::UnitConstants::kg = 1.0 / 1.782662e-27

Definition at line 188 of file Units.hpp.

View newest version in sPHENIX GitHub at line 188 of file Units.hpp

Referenced by Acts::Python::addUnits(), and PHG4Reco::DefineMaterials().

constexpr double Acts::UnitConstants::kGauss = 1e-1 * T

Definition at line 195 of file Units.hpp.

View newest version in sPHENIX GitHub at line 195 of file Units.hpp

Referenced by Acts::Python::addUnits().

constexpr double Acts::UnitConstants::km = 1e6 * mm

Definition at line 147 of file Units.hpp.

View newest version in sPHENIX GitHub at line 147 of file Units.hpp

Referenced by Acts::Python::addUnits().

constexpr double Acts::UnitConstants::m = 1e3 * mm

Definition at line 146 of file Units.hpp.

View newest version in sPHENIX GitHub at line 146 of file Units.hpp

Referenced by odbc::Time::_validateMinute(), odbc::Date::_validateMonth(), eic_bnl_rich::acq(), testing::gmock_generated_actions_test::ACTION_P3(), Acts::Python::addAmbiguityResolution(), KFParticleBase::AddDaughterWithEnergyFit(), KFParticleBaseSIMD::AddDaughterWithEnergyFit(), KFParticleBase::AddDaughterWithEnergyFitMC(), KFParticleBaseSIMD::AddDaughterWithEnergyFitMC(), Acts::Python::addDetector(), Acts::Python::addDigitization(), Acts::Python::addEventData(), Acts::Python::addExampleAlgorithms(), Acts::Python::addExaTrkXTrackFinding(), Acts::Python::addExperimentalGeometry(), Acts::Python::addFramework(), Acts::Python::addGeant4HepMC3(), Acts::Python::addGeometry(), Acts::Python::addHepMC3(), Acts::Python::addJson(), Acts::Python::addLogging(), Acts::Python::addMagneticField(), Acts::Python::addMaterial(), genfit::KalmanFitterInfo::addMeasurementsOnPlane(), testing::internal::FunctionMockerBase< R(A1, A2)>::AddNewExpectation(), testing::internal::FunctionMockerBase< R(A1, A2)>::AddNewOnCallSpec(), Acts::Python::addObj(), Acts::Python::addOnnx(), Acts::Python::addOnnxMlpack(), Acts::Python::addOnnxNeuralCalibrator(), Acts::Python::addOutput(), Acts::Python::addPropagation(), Acts::Python::addSvg(), Acts::Python::addTrackFinding(), Acts::Python::addUnits(), Acts::Python::addVertexing(), ana_starlight(), analysis(), PHPy8ParticleTrigger::Apply(), Acts::bitsetToMatrix(), Acts::Test::BOOST_AUTO_TEST_CASE(), BOOST_AUTO_TEST_CASE(), BOOST_DATA_TEST_CASE(), KFParticle_eventReconstruction::buildChain(), AnaMvtxPrototype1::CalcIntecept(), AnaMvtxTestBeam2019::CalcIntecept(), MvtxStandaloneTracking::CalcIntecept(), AnaMvtxTelescopeHits::CalcIntecept(), CaloWaveformFitting::calo_processing_fast(), CaloWaveformProcessing::calo_processing_ONNX(), genfit::Track::checkConsistency(), Rossegger::CheckZeroes(), CMDistortionAnalysis(), CMDistortionAnalysisCart(), CMDistortionAnalysisPhiR(), Acts::computeEnergyLossBethe(), Acts::computeEnergyLossLandau(), Acts::computeEnergyLossLandauFwhm(), Acts::computeEnergyLossLandauSigma(), Acts::computeEnergyLossLandauSigmaQOverP(), genfit::SpacepointMeasurement::constructMeasurementsOnPlane(), genfit::Track::constructTrackCand(), Fun4AllOscarInputManager::ConvertFromOscar(), Fun4AllHepMCInputManager::ConvertFromOscar(), create_pythia_dummy(), DataAna(), DataAna2(), Packet_starscaler::decode(), Acts::deriveEnergyLossBetheQOverP(), Acts::deriveEnergyLossLandauQOverP(), AZigzag::DetermineCommonMode(), Acts::Frustum< value_t, DIM, SIDES >::draw(), genfit::EventDisplay::drawEvent(), Packet_gl1_evclocks::dump(), Packet_gl1p::dump(), Packet_gl1::dump(), eicsmear_dvmp_tree(), LaplaceSolution::Er(), Rossegger::Er(), Rossegger::Er_(), testing::internal::XmlUnitTestResultPrinter::EscapeXml(), Acts::estimateTrackParamsFromSeed(), ActsExamples::PrototracksToParameters::execute(), LaplaceSolution::Ez(), Rossegger::Ez(), Rossegger::Ez_(), Acts::fieldMapXYZ(), FillHoughHist(), LaplaceSolution::FindBetamn(), Rossegger::FindBetamn(), PHActsKDTreeSeeding::findInttMatches(), PHActsSiliconSeeding::findInttMatches(), gamma_function(), Acts::detail::gaussianMixtureCov(), GaussLegendre_getWeight(), RawTower_Temperature::get_temperature_from_time(), KFParticleBase::GetLifeTime(), KFParticleBaseSIMD::GetLifeTime(), PHG4Prototype2OuterHcalSteppingAction::GetLightCorrection(), PHG4Prototype2InnerHcalSteppingAction::GetLightCorrection(), PHG4SteppingAction::GetLightCorrection(), KFParticleBase::GetMass(), KFParticleBaseSIMD::GetMass(), PHSimpleVertexFinder::getMedian(), getPad(), PHG4TpcCentralMembrane::getStripeID(), half::half(), halfToFloat(), hijfst_(), EventplaneinfoMapv1::identify(), GlobalVertexMapv1::identify(), EmbRecoMatchContainerv1::identify(), HcalRawTowerBuilder::InitRun(), Interlopation0Degree(), InterlopationV4(), InterlopationV4reverse(), gbl::VSymMatrix::invert(), half::isDenormalized(), half::isInfinity(), half::isNan(), oncsSub_idtpcfeev3::iValue(), tpc_pool::iValue(), LBT::LBT0(), likelihood(), Rossegger::LoadZeroes(), ActsExamples::DigitizationAlgorithm::localParameters(), main(), Acts::Test::makeToyDetector(), nanoflann::PooledAllocator::malloc(), testing::Not(), ActsFatras::BetheBloch::operator()(), Acts::operator<<(), PIDProbabilities::particle_probs(), Acts::Python::patchClassesWithConfig(), Rossegger::PrecalcDerivedConstants(), Rossegger::PrecalcFreeConstants(), ReadEICFiles::process_event(), PHHepMCParticleSelectorDecayProductChain::process_event(), PHG4SimpleEventGenerator::process_event(), sPHAnalysis::process_event_pythiaupsilon(), genfit::KalmanFitterRefTrack::processTrackPoint(), genfit::KalmanFitterRefTrack::processTrackPointSqrt(), ProjectionReverse(), ProjectionReverse2(), Acts::detail::GenericDefaultExtension< scalar_t >::propagateTime(), ActsExamples::prototrackToSeed(), PYBIND11_MODULE(), ActsExamples::CsvMeasurementReader::read(), EmbRecoMatchContainerv1::Reset(), Rossegger::Rmn(), Rossegger::Rmn1(), Rossegger::Rmn2(), ActsExamples::RootBFieldWriter::run(), run_bbc_server(), run_cemc_server(), run_cemc_server_SEB00(), run_cemc_server_SEB01(), run_daq_server(), run_example_server0(), run_example_server1(), run_hcal_server(), run_intt_server(), run_ll1_server(), run_mvtx_server(), run_pktsize_server(), run_sepd_server(), run_tpc_server(), run_tpot_server(), run_zdc_server(), Acts::safeInverse(), ThermalPartonSampler::sample_2p1d(), ThermalPartonSampler::sample_3p1d(), ThermalPartonSampler::samplebrick(), Rossegger::SaveZeroes(), ActsExamples::tbbWrap::queuing_mutex::scoped_lock::scoped_lock(), KFParticleFinder::SelectParticles(), PHSiliconTruthTrackSeeding::set_min_momentum(), PHTruthTrackSeeding::set_min_momentum(), HybridHadronization::set_spacetime_for_pythia_hadrons(), PHG4CylinderCellGeom_Spacalv1::set_tower_z_ID_eta_bin_map(), KFParticleBase::SetConstructMethod(), KFParticleBaseSIMD::SetConstructMethod(), KFParticleBase::SetMassHypo(), KFParticleBaseSIMD::SetMassHypo(), Pythia6::SetMDCY(), Pythia6::SetMDME(), genfit::KalmanFitterInfo::setMeasurementsOnPlane(), Pythia6::SetMSTJ(), KFParticleBase::SetProductionVertex(), KFParticleBaseSIMD::SetProductionVertex(), ShSizeHist(), Acts::StraightLineStepper::step(), KFParticleBase::SubtractDaughter(), KFParticleBaseSIMD::SubtractDaughter(), KFParticleBase::SubtractFromParticle(), KFParticleBaseSIMD::SubtractFromParticle(), KFParticleBase::SubtractFromVertex(), KFParticleBaseSIMD::SubtractFromVertex(), testing::gmock_matchers_test::TEST(), testing::gmock_generated_actions_test::TEST(), TEST(), Acts::Test::MultiTrajectoryTestsCommon< factory_t >::testTrackStateProxyStorage(), MvtxStandaloneTracking::TrackFitXY(), MvtxStandaloneTracking::TrackFitZY(), genfit::TrackPoint::TrackPoint(), KFParticleBase::TransportCBM(), KFParticleBaseSIMD::TransportCBM(), Acts::detail::GenericDefaultExtension< scalar_t >::transportMatrix(), Acts::GainMatrixUpdater::visitMeasurement(), testing::internal::OnCallSpec< F >::With(), testing::internal::TypedExpectation< F >::With(), ActsExamples::EDM4hepUtil::writeMeasurement(), ActsExamples::CsvMeasurementWriter::writeT(), ActsExamples::RootTrajectoryStatesWriter::writeT(), and ActsExamples::RootMeasurementWriter::writeT().

constexpr double Acts::UnitConstants::m3 = m * m * m

Definition at line 159 of file Units.hpp.

View newest version in sPHENIX GitHub at line 159 of file Units.hpp

Referenced by Acts::Python::addUnits(), PHG4Reco::DefineMaterials(), and testing::gmock_matchers_test::TEST().

constexpr double Acts::UnitConstants::MeV = 1e-3 * GeV

Definition at line 178 of file Units.hpp.

View newest version in sPHENIX GitHub at line 178 of file Units.hpp

Referenced by Acts::Python::addUnits(), main(), ActsExamples::HepMC3Event::momentumUnit(), and Acts::detail::PointwiseMaterialInteraction::updateState().

constexpr double Acts::UnitConstants::min = 60.0 * s

Definition at line 168 of file Units.hpp.

View newest version in sPHENIX GitHub at line 168 of file Units.hpp

Referenced by ClusterSequence::_CP2DChan_cluster(), ClusterSequence::_CP2DChan_cluster_2piMultD(), ClusterSequence::_CP2DChan_limited_cluster(), ClosestPair2D::_deal_with_points_to_review(), ClusterSequence::_do_ij_recombination_step(), ClusterSequence::_initialise_and_run_no_decant(), SearchTree< T >::_initialize(), ClosestPair2D::_initialize(), ClosestPair2D::_insert_into_search_tree(), ClusterSequence::_really_dumb_cluster(), ClosestPair2D::_remove_from_search_tree(), Acts::TrackSelector::Config::absEta(), Acts::VolumeConfig::adaptR(), Acts::VolumeConfig::adaptZ(), Acts::Python::addUnits(), Acts::adjustBinUtility(), myAnalysis::analyze(), Acts::CylinderVolumeBuilder::analyzeContent(), approx(), BeamLineInit(), Acts::CuboidVolumeBuilder::binningRange(), genfit::MeasuredStateOnPlane::blowUpCov(), BOOST_AUTO_TEST_CASE(), Acts::Test::BOOST_AUTO_TEST_CASE(), Acts::KDTree< 3, int, double >::boundingBox(), ActsExamples::MockupSectorBuilder::buildChamber(), ActsExamples::detail::NuclearInteractionParametrisation::buildMomPerMult(), Jetscape::EvolutionHistory::CellIndex(), CEmc_1DProjectiveSpacal(), CEmc_2DProjectiveSpacal(), CEmcAlbedoInit(), Acts::AnnulusBounds::closestOnSegment(), TPCFEETestRecov1::Clustering(), TpcPrototypeUnpacker::Clustering(), hcal::collect(), hLabHelper::collect(), CompareOldVsNewPlots(), PHG4SpacalPrototype4Detector::Construct_Fibers_SameLengthFiberPerTower(), PHG4SpacalPrototypeDetector::Construct_Fibers_SameLengthFiberPerTower(), PHG4FullProjSpacalDetector::Construct_Fibers_SameLengthFiberPerTower(), PHG4FullProjTiltedSpacalDetector::Construct_Fibers_SameLengthFiberPerTower(), Acts::convertBinning(), utils::create_jobs(), Acts::CylinderVolumeHelper::createGapTrackingVolume(), Acts::createProtoMaterial(), Acts::Sycl::createSeedsForGroupSycl(), testing::internal::edit_distance::CreateUnifiedDiff(), Acts::Test::CubicBVHTrackingGeometry::CubicBVHTrackingGeometry(), ActsExamples::detail::NuclearInteractionParametrisation::cumulativeMultiplicityProbability(), ActsExamples::detail::NuclearInteractionParametrisation::cumulativeNuclearInteractionProbability(), Acts::ATLASCuts< SpacePoint >::cutPerMiddleSP(), TestHostCuts::cutPerMiddleSP(), Acts::TGeoSurfaceConverter::cylinderComponents(), gbl::BorderedBandMatrix::decomposeBand(), acts.examples::defaultLogging(), genfit::Track::deletePoint(), ActsExamples::determineEventFilesRange(), ActsExamples::Sequencer::determineEventsRange(), AZigzag::DetermineQ(), Acts::TGeoSurfaceConverter::discComponents(), nanoflann::KDTreeSingleIndexAdaptor< Distance, DatasetAdaptor, DIM, IndexType >::divideTree(), DNL_Correction(), BbcMonDraw::Draw(), Draw_ratio(), genfit::EventDisplay::drawEvent(), EPDInit(), errorOf1DHistograms(), Acts::CylinderVolumeHelper::estimateAndCheckDimension(), Acts::TrackSelector::Config::eta(), ClusterSequence::exclusive_jets_up_to(), ActsExamples::TrackParameterSelector::execute(), ActsExamples::HitsPrinter::execute(), ActsExamples::ParticleSelector::execute(), ActsExamples::TruthSeedSelector::execute(), ActsExamples::TruthSeedingAlgorithm::execute(), Acts::Range1D< ActsScalar >::expandMin(), Acts::Extent::extend(), Acts::Polyhedron::extent(), Acts::fieldMapRZ(), FillBlobHist(), HFTrackEfficiency::findTracks(), Acts::from_json(), ActsExamples::WhiteBoard::get(), get_fit_min(), SW_And::get_rapidity_extent(), SW_Or::get_rapidity_extent(), SColdQcdCorrelatorAnalysis::SCorrelatorUtilities::GetEntry(), GetFONLL_B(), GetFONLL_C(), CDBTTree::GetIntValue(), HFTriggerMVA::getIPVariables(), PHG4SteppingAction::GetLightCorrection(), getMeanRMS(), PHG4TruthInfoContainer::GetPrimaryVertexIndex(), RDBCBench::GetRandomID(), CDBTTree::GetSingleIntValue(), cpp.tokenize::GetTokens(), PhDi::GetValue(), utils::hadd(), HCalInnerInit(), HCalOuterInit(), Hydro::hlle_flux(), genfit::Track::insertPoint(), genfit::Track::insertPoints(), Acts::TrapezoidBounds::inside(), ActsFatras::detail::SimulationActor< generator_t, decay_t, interactions_t, hit_surface_selector_t >::interact(), InttInit(), gbl::BorderedBandMatrix::invertBand(), Acts::TrackSelector::isValidTrack(), PseudoJet::kt_distance(), Acts::LayerArrayCreator::layerArray(), ActsExamples::SeedingFTFAlgorithm::LayerNumbering(), CDBTTree::LoadCalibrations(), SColdQcdCorrelatorAnalysis::SCorrelatorUtilities::LoadTree(), Acts::TrackSelector::Config::loc0(), Acts::TrackSelector::Config::loc1(), ActsExamples::DigitizationAlgorithm::localParameters(), MagnetInit(), main(), genfit::EventDisplay::makeLines(), STrackMatcherComparator::MakeRatiosAndPlots(), Acts::mapMaterialPoints(), MbdInit(), MicromegasInit(), Acts::detail::SymmetricKLDistanceMatrix::minDistancePair(), Acts::AtlasBetheHeitlerApprox< NComponents, PolyDegree >::mixture(), MvtxInit(), Acts::Range1D< ActsScalar >::operator&(), Acts::Range1D< ActsScalar >::operator&=(), ActsFatras::PlanarSurfaceTestBeds::operator()(), Acts::detail::GsfActor< bethe_heitler_approx_t, traj_t >::operator()(), Acts::operator<<(), Acts::VolumeConfig::overlapsInR(), Acts::VolumeConfig::overlapsInZ(), ParticleShowerSizeHistoMaker(), Acts::TrackSelector::Config::phi(), PipeInit(), PlugDoorInit(), InttMonDraw::PrepGlobalChipHists_Hitmap(), InttMonDraw::PrepGlobalChipHists_NLL(), gbl::VVector::print(), gbl::VMatrix::print(), gbl::VSymMatrix::print(), process_event(), MicromegasRawDataDecoder::process_event(), MicromegasCombinedDataDecoder::process_event(), MicromegasRawDataCalibration::process_event(), pi0Efficiency::process_event(), cemcReco::process_event(), Acts::TrackSelector::Config::pt(), quant(), Acts::range_medium(), ReconstructTracks(), Acts::TGeoLayerBuilder::registerSplit(), ActsExamples::CsvBFieldWriter::run(), utils::run_analysis(), HFTrigger::runOneTrackTrigger(), ActsFatras::NuclearInteraction::sampleContinuousValues(), ActsFatras::NuclearInteraction::sampleDiscreteValues(), PROTOTYPE4_FEM::SampleFit_PowerLawDoubleExp(), TPCDaqDefs::FEEv1::SampleFit_PowerLawDoubleExp(), TpcPrototypeDefs::FEEv2::SampleFit_PowerLawDoubleExp(), ActsFatras::Channelizer::segments(), Acts::Extent::set(), PHG4InputFilter::set_eta_range(), PHG4ParticleGenerator::set_eta_range(), PHG4ParticleGeneratorD0::set_eta_range(), PHG4ParticleGeneratorVectorMeson::set_eta_range(), PHG4SimpleEventGenerator::set_eta_range(), PHG4InputFilter::set_etamin(), PHG4ParticleGenerator::set_mom_range(), PHG4ParticleGeneratorD0::set_mom_range(), PHG4ParticleGeneratorVectorMeson::set_mom_range(), PHG4SimpleEventGenerator::set_p_range(), PHG4ParticleGenerator::set_phi_range(), PHG4SimpleEventGenerator::set_phi_range(), hcal::set_plot_min(), PHG4ParticleGeneratorD0::set_pt_range(), PHG4ParticleGeneratorVectorMeson::set_pt_range(), PHG4SimpleEventGenerator::set_pt_range(), PHG4InputFilter::set_ptmin(), PHG4ParticleGeneratorD0::set_rapidity_range(), PHG4ParticleGeneratorVectorMeson::set_rapidity_range(), PHG4SimpleEventGenerator::set_theta_range(), PHG4ParticleGenerator::set_z_range(), QAG4SimulationTruthDecay::setDaughterPDGRange(), QAG4SimulationTruthDecay::setDecayLengthRange(), QAG4SimulationTruthDecay::setDecayTimeRange(), truthDecayTester::setEtaRange(), QAG4SimulationTruthDecay::setEtaRange(), DecayFinder::setEtaRange(), QAG4SimulationTruthDecay::setMassRange(), QAG4SimulationTruthDecay::setMotherPDGRange(), PHG4TpcDirectLaser::SetPhiStepping(), PHG4TpcDirectLaser::SetThetaStepping(), PHG4ScoringManager::setVertexAcceptanceRange(), PHG4ScoringManager::setVertexHistRange(), Acts::Range1D< ActsScalar >::shrinkMax(), ActsExamples::WhiteBoard::similarNames(), SinglePrdfInput::SinglePrdfInput(), SingleZdcInput::SingleZdcInput(), Acts::solenoidFieldMap(), gbl::BorderedBandMatrix::solveBand(), genfit::Track::sort(), ActsExamples::ModuleClusters::squash(), Acts::EigenStepper< extensionlist_t, auctioneer_t >::step(), test_random_graph(), Acts::TrackSelector::Config::time(), Acts::RectangleBounds::toStream(), TPCInit(), TripleFit(), CaloTriggerSim::truncate_8bit(), ClusterSequence::unique_history_order(), unquant(), Acts::SeedFinderOrthogonal< external_spacepoint_t >::validTupleOrthoRangeHL(), Acts::ConstrainedStep::value(), while(), WorldSize(), Acts::AxisAlignedBoundingBox< entity_t, value_t, DIM >::wrap(), Acts::detail::Axis< AxisType::Equidistant, bdt >::wrapBin(), Acts::detail::Axis< AxisType::Variable, bdt >::wrapBin(), ActsExamples::RootMaterialWriter::writeMaterial(), CDBTTree::WriteMultipleCDBTTree(), and ZDCInit().

constexpr double Acts::UnitConstants::mm = 1.0

Definition at line 140 of file Units.hpp.

View newest version in sPHENIX GitHub at line 140 of file Units.hpp

Referenced by AddLayers_MiniTPCDrift(), Acts::Python::addMagneticField(), Acts::Python::addUnits(), Acts::IntegrationTest::atlasBField(), BOOST_AUTO_TEST_CASE(), PHG4GDMLWriteParamvol::Box_dimensionsWrite(), PHG4GDMLWriteSolids::BoxWrite(), ActsExamples::Generic::buildDetector(), PHG4MvtxSupport::buildLayerCables(), Acts::CuboidVolumeBuilder::buildVolume(), PHG4GDMLWriteParamvol::Cone_dimensionsWrite(), PHG4GDMLWriteSolids::ConeWrite(), PHActsSiliconSeeding::configureSeeder(), ActsExamples::Telescope::TelescopeG4DetectorConstruction::Construct(), PHG4EPDDetector::construct_block(), PHG4MicromegasDetector::construct_fee_board(), PHG4MicromegasDetector::construct_micromegas_tile(), PHG4HcalPrototypeDetector::ConstructDetector(), PHG4OuterHcalDetector::ConstructHcalSingleScintillators(), PHG4InnerHcalDetector::ConstructHcalSingleScintillators(), PHG4Prototype2InnerHcalDetector::ConstructInnerHcal(), PHG4BeamlineMagnetDetector::ConstructMe(), PHG4EnvelopeDetector::ConstructMe(), PHG4ZDCDetector::ConstructMe(), ActsExamples::ParticleTrackingAction::convert(), PHG4MvtxSupport::CreateCYSS(), PHG4MvtxSupport::CreateServiceBarrel(), PHG4GDMLWriteSolids::CutTubeWrite(), Acts::decodeBinning(), ColorlessHadronization::DoHadronization(), PHG4GDMLWriteSolids::ElconeWrite(), PHG4GDMLWriteParamvol::Ellipsoid_dimensionsWrite(), PHG4GDMLWriteSolids::EllipsoidWrite(), PHG4GDMLWriteSolids::EltubeWrite(), ActsExamples::EventRecording::execute(), ActsExamples::AdaptiveMultiVertexFinderAlgorithm::executeAfterSeederChoice(), G4TBMagneticFieldSetup::G4TBMagneticFieldSetup(), ActsExamples::SimParticleTranslation::GeneratePrimaries(), ActsFatras::Geant4Decay::generateProperTimeLimit(), PHG4GDMLWriteSolids::GenTrapWrite(), PHG4MvtxSupport::GetConeVolume(), PHG4MvtxSupport::GetEndWheelSideN(), PHG4MvtxSupport::GetEndWheelSideS(), ActsExamples::MagneticFieldWrapper::GetFieldValue(), AlignmentDefs::getMMGlobalLabels(), PHG4GDMLWriteParamvol::Hype_dimensionsWrite(), PHG4GDMLWriteSolids::HypeWrite(), initializeModules(), HelicalFitter::InitRun(), ActsExamples::HepMC3Event::lengthUnit(), PseudoJet::m(), main(), Micromegas(), PHG4GDMLWriteParamvol::Orb_dimensionsWrite(), PHG4GDMLWriteSolids::OrbWrite(), PHG4GDMLWriteParamvol::Para_dimensionsWrite(), PHG4GDMLWriteSolids::ParaboloidWrite(), PHG4GDMLWriteSolids::ParaWrite(), PHG4CEmcTestBeamDetector::PHG4CEmcTestBeamDetector(), PHG4EICMvtxDetector::PHG4EICMvtxDetector(), PHG4GDMLWriteDefine::Position_vectorWrite(), BeamLineMagnetDetector::PostConstruction(), ActsExamples::Geant4::HepMC3::PrimaryGeneratorAction::prepareParticleGun(), ActsExamples::CsvParticleReader::read(), ActsExamples::CsvSimHitReader::read(), ActsExamples::RootParticleReader::read(), ActsExamples::RootSimHitReader::read(), ActsExamples::CsvPlanarClusterReader::read(), ActsExamples::Options::readMagneticField(), ActsExamples::EDM4hepUtil::readParticle(), ActsExamples::EDM4hepUtil::readSimHit(), ActsExamples::SensitiveSurfaceMapper::remapSensitiveNames(), ActsExamples::RootBFieldWriter::run(), ActsExamples::CsvBFieldWriter::run(), PHG4GDMLWriteSolids::RZPointWrite(), sPHElectronPairv1::set_min_mass(), G4TBMagneticFieldSetup::SetStepper(), PHG4GDMLWriteParamvol::Sphere_dimensionsWrite(), PHG4GDMLWriteSolids::SphereWrite(), PHG4GDMLWriteParamvol::Torus_dimensionsWrite(), PHG4GDMLWriteSolids::TorusWrite(), PHG4GDMLWriteParamvol::Trap_dimensionsWrite(), PHG4GDMLWriteSolids::TrapWrite(), PHG4GDMLWriteParamvol::Trd_dimensionsWrite(), PHG4GDMLWriteSolids::TrdWrite(), TSQLResultSet::Tree(), PHG4GDMLWriteParamvol::Tube_dimensionsWrite(), PHG4GDMLWriteSolids::TubeWrite(), PHG4GDMLWriteSolids::TwistedboxWrite(), PHG4GDMLWriteSolids::TwistedtrapWrite(), PHG4GDMLWriteSolids::TwistedtrdWrite(), PHG4GDMLWriteSolids::TwistedtubsWrite(), ActsExamples::Geant4::HepMC3::SteppingAction::UserSteppingAction(), ActsExamples::MaterialSteppingAction::UserSteppingAction(), ActsExamples::ParticleKillAction::UserSteppingAction(), ActsExamples::TrackFinderPerformanceWriter::Impl::write(), ActsExamples::EDM4hepUtil::writeSimHit(), ActsExamples::CsvSimHitWriter::writeT(), ActsExamples::CsvParticleWriter::writeT(), ActsExamples::RootSimHitWriter::writeT(), ActsExamples::RootParticleWriter::writeT(), ActsExamples::RootSpacepointWriter::writeT(), ActsExamples::CsvPlanarClusterWriter::writeT(), PHG4GDMLWriteSolids::XtruWrite(), and PHG4GDMLWriteSolids::ZplaneWrite().

constexpr double Acts::UnitConstants::mm2 = mm * mm

Definition at line 153 of file Units.hpp.

View newest version in sPHENIX GitHub at line 153 of file Units.hpp

Referenced by Acts::Python::addUnits().

constexpr double Acts::UnitConstants::mm3 = mm * mm * mm

Definition at line 157 of file Units.hpp.

View newest version in sPHENIX GitHub at line 157 of file Units.hpp

Referenced by Acts::Python::addUnits(), and ActsExamples::MaterialSteppingAction::UserSteppingAction().

constexpr double Acts::UnitConstants::mol = 1.0

Amount of substance, native unit mol.

Definition at line 197 of file Units.hpp.

View newest version in sPHENIX GitHub at line 197 of file Units.hpp

Referenced by Acts::Python::addUnits().

constexpr double Acts::UnitConstants::mrad = 1e-3

Definition at line 171 of file Units.hpp.

View newest version in sPHENIX GitHub at line 171 of file Units.hpp

Referenced by Acts::Python::addUnits().

constexpr double Acts::UnitConstants::ms = 1e-3 * s
constexpr double Acts::UnitConstants::nm = 1e-6 * mm

Definition at line 143 of file Units.hpp.

View newest version in sPHENIX GitHub at line 143 of file Units.hpp

Referenced by Acts::Python::addUnits(), BeamLineDefineBeamPipe(), Factory::Create(), and ActsExamples::TrackFinderPerformanceWriter::Impl::write().

constexpr double Acts::UnitConstants::ns = 1e-9 * s

Definition at line 165 of file Units.hpp.

View newest version in sPHENIX GitHub at line 165 of file Units.hpp

Referenced by Acts::Python::addUnits(), PHG4TruthTrackingAction::AddVertex(), Acts::Test::BOOST_AUTO_TEST_CASE(), Fluid::calcTotals(), ActsExamples::ParticleTrackingAction::convert(), ColorlessHadronization::DoHadronization(), PHHepMCGenHelper::generate_vertx_with_bunch_interaction(), ActsExamples::SimParticleTranslation::GeneratePrimaries(), getenergyhlle_(), PHActsInitialVertexFinder::getTrackPointers(), getvalueshlle_(), icgethlle3f_(), icgethlle_(), Hydro::ISformal(), PHCosmicsTrkFitter::loopTracks(), PHActsTrkFitter::loopTracks(), main(), PHActsGSF::makeSeed(), PHActsVertexFitter::makeTrackParam(), ActsPropagator::makeTrackParams(), PHTpcResiduals::makeTrackParams(), nfits(), Hydro::NSquant(), Fluid::outputGnuplot(), PHG4MvtxHitReco::process_event(), PYBIND11_MODULE(), ActsExamples::CsvParticleReader::read(), ActsExamples::CsvSimHitReader::read(), ActsExamples::RootParticleReader::read(), ActsExamples::RootSimHitReader::read(), ActsExamples::CsvPlanarClusterReader::read(), ActsExamples::EDM4hepUtil::readParticle(), ActsExamples::Options::readParticleSmearingOptions(), ActsExamples::EDM4hepUtil::readSimHit(), series(), PHG4TpcCentralMembrane::setCentralMembraneDelay(), PHCosmicsTrkFitter::setDefaultCovariance(), PHActsTrkFitter::setDefaultCovariance(), Hydro::setNSvalues(), Packet_hbd_fpgashort::setNumSamples(), Packet_hbd_fpga::setNumSamples(), Hydro::source_step(), PHG4BbcSteppingAction::UserSteppingAction(), ActsExamples::ParticleKillAction::UserSteppingAction(), Hydro::visc_flux(), Hydro::visc_source_step(), ActsExamples::TrackFinderPerformanceWriter::Impl::write(), ActsExamples::EDM4hepUtil::writeMeasurement(), ActsExamples::EDM4hepUtil::writeSimHit(), ActsExamples::CsvSimHitWriter::writeT(), ActsExamples::CsvParticleWriter::writeT(), ActsExamples::RootSimHitWriter::writeT(), ActsExamples::RootParticleWriter::writeT(), ActsExamples::CsvMeasurementWriter::writeT(), ActsExamples::CsvPlanarClusterWriter::writeT(), and ActsExamples::RootPlanarClusterWriter::writeT().

constexpr double Acts::UnitConstants::pm = 1e-9 * mm

Definition at line 142 of file Units.hpp.

View newest version in sPHENIX GitHub at line 142 of file Units.hpp

Referenced by Acts::Python::addUnits().

constexpr double Acts::UnitConstants::rad = 1.0

Definition at line 172 of file Units.hpp.

View newest version in sPHENIX GitHub at line 172 of file Units.hpp

Referenced by PHG4EICMvtxDetector::AddGeometryNode(), PHG4MvtxDetector::AddGeometryNode(), PHG4InttDetector::AddGeometryNode(), Acts::Python::addUnits(), PHG4OuterHcalDetector::CheckTiltAngle(), PHG4InnerHcalDetector::CheckTiltAngle(), PHG4SpacalPrototype4Detector::Construct_AzimuthalSeg(), PHG4SpacalPrototypeDetector::Construct_AzimuthalSeg(), PHG4FullProjTiltedSpacalDetector::Construct_AzimuthalSeg(), PHG4FullProjSpacalDetector::Construct_AzimuthalSeg(), PHG4SpacalPrototype4Detector::Construct_LightGuide(), PHG4SpacalPrototypeDetector::Construct_LightGuide(), PHG4FullProjTiltedSpacalDetector::Construct_LightGuide(), PHG4SpacalPrototype4Detector::Construct_Tower(), PHG4SpacalPrototypeDetector::Construct_Tower(), PHG4FullProjTiltedSpacalDetector::Construct_Tower(), PHG4FullProjSpacalDetector::Construct_Tower(), PHG4HcalPrototypeDetector::ConstructDetector(), PHG4OuterHcalDetector::ConstructHcalSingleScintillators(), PHG4Prototype3InnerHcalDetector::ConstructInnerHcal(), PHG4Prototype2InnerHcalDetector::ConstructInnerHcal(), PHG4InnerHcalDetector::ConstructInnerHcal(), PHG4InttDetector::ConstructIntt(), G4Example01Detector::ConstructMe(), G4Example02Detector::ConstructMe(), G4Example03Detector::ConstructMe(), PHG4CylinderDetector::ConstructMe(), PHG4CEmcTestBeamDetector::ConstructMe(), PHG4Prototype2OuterHcalDetector::ConstructOuterHcal(), PHG4OuterHcalDetector::ConstructOuterHcal(), PHG4InnerHcalDetector::ConstructScintillatorBox(), PHG4OuterHcalDetector::ConstructScintillatorBox(), PHG4InnerHcalDetector::ConstructSteelPlate(), PHG4OuterHcalDetector::ConstructSteelPlate(), PHG4CEmcTestBeamDetector::ConstructTowerVolume(), PHG4MvtxSupport::CreateCYSS(), Matter::DoEnergyLoss(), drawCorr(), PHG4MvtxSupport::GetConeVolume(), PHG4MvtxSupport::GetEndWheelSideN(), PHG4MvtxSupport::GetEndWheelSideS(), TpcPrototypeCluster::getPhiError(), TrkrClusterv1::getPhiError(), TrkrClusterv2::getPhiError(), QPileUpToy::QPileUpToy(), PhotonJet::Set_Isocone_radius(), PHActsTrackProjection::setLayerRadius(), PHG4OuterHcalDetector::SetTiltViaNcross(), PHG4InnerHcalDetector::SetTiltViaNcross(), PHCosmicsTrkFitter::setVertexRadius(), PHG4HcalPrototypeDetector::SetYRot(), PHG4HcalPrototypeDetector::SetZRot(), ShSizeHist(), and ShSizePrep().

constexpr double Acts::UnitConstants::s = 299792458000.0
Note
Depends on speed of light in SI units

Definition at line 162 of file Units.hpp.

View newest version in sPHENIX GitHub at line 162 of file Units.hpp

constexpr double Acts::UnitConstants::T = 0.000299792458

Magnetic field, native unit (eV*s)/(e*m²)

Note
Depends on speed of light in SI units

Definition at line 193 of file Units.hpp.

View newest version in sPHENIX GitHub at line 193 of file Units.hpp

Referenced by AccessCalorimeterTowers(), AcessGeant4Particles(), testing::gmock_generated_actions_test::ACTION_TEMPLATE(), testing::ACTION_TEMPLATE(), ActsExamples::WhiteBoard::add(), KFMCCounter< int >::AddCounter(), KFMCCounter< int >::AddCounters(), AddFlowToParent(), Acts::Python::addMagneticField(), Acts::Python::addUnits(), KFPSimdAllocator< T >::allocate(), nanoflann::allocate(), nanoflann::PooledAllocator::allocate(), analyzeClusterEtIso(), Acts::AnyBase< ACTS_SOURCELINK_SBO_SIZE >::AnyBase(), Acts::IntegrationTest::atlasBField(), BOOST_AUTO_TEST_CASE(), Acts::IntegrationTest::BOOST_DATA_TEST_CASE(), ThermalPartonSampler::brick_Tc(), FluidcellStatistic::calculate_hypersurface_3volume(), cl::vector< ::size_t, N >::capacity(), testing::SafeMatcherCastImpl< T >::Cast(), CentralCalorimeterRate(), CheckItOut(), Acts::MultiTrajectory< ConstPodioTrackStateContainer >::component(), KFPSimdAllocator< T >::construct(), Acts::PodioUtil::convertSurfaceFromPodio(), Acts::AnyBase< ACTS_SOURCELINK_SBO_SIZE >::copyConstructImpl(), Acts::AnyBase< ACTS_SOURCELINK_SBO_SIZE >::copyImpl(), Acts::Test::createPlanarTransform(), Acts::Sycl::createSeedsForGroupSycl(), KFPSimdAllocator< T >::deallocate(), genfit::MaterialEffects::dEdxBrems(), Acts::detail::SmallObjectCache::Handler< T >::destroy(), Acts::AnyBase< ACTS_SOURCELINK_SBO_SIZE >::destroyImpl(), Martini::DetermineProcess(), Acts::detail::difference_periodic(), Martini::DoEnergyLoss(), dpipe_register(), Draw_EICRate(), draw_G4_dibjet_truth_tagging(), Draw_HFJetTruth(), Draw_HFJetTruth3yr(), Draw_HFJetTruth_InvMass(), Draw_PHG4DSTReader(), DrawCalibratedE(), DrawCalibratedE_Tower(), DrawCrossSection(), DrawDist(), DrawEcal_Likelihood(), DrawEcal_pDST(), DrawEMCalTower(), DrawLeakage(), DrawLeakage_LY(), DrawLeakage_Phi(), DrawLeakage_Wide(), DrawPrototype2EMCalTower(), DrawPrototype2MIPAnalysis(), DrawPrototype2ShowerCalib(), DrawPrototype3EMCalTower(), DrawPrototype3ShowerCalib(), DrawPrototype4EMCalTower(), DrawPrototype4ShowerCalib(), DrawTower_Raw_E(), DrawTowerIDCheck(), DrawTowerSum_SingleE(), DrawTpcPrototypeGenFitTrkFitter(), dvcs_plot(), Edep_Checks(), Edep_Distribution(), Edep_LL_Distribution(), testing::ElementsAreArray(), EMC_HodoScope_Calibration(), EMCDistribution(), EMCDistribution_ADC(), EMCDistribution_Fast(), EMCDistribution_HCalCalibration(), EMCDistribution_PeakSample_Fast(), EMCDistribution_ShowShape(), EMCDistribution_SUM(), EMCDistribution_SUM_RawADC(), EMCDistributionVSBeam_SUM(), tinyxml2::DynArray< char, 20 >::EnsureCapacity(), DD4hepTestsHelper::ensureExtension(), Ep_Checks(), EP_LL_Distribution(), Acts::estimateTrackParamsFromSeed(), Example(), ExampleAnalysisDSTReader(), ExampleAnalysisModulePlot(), boost::array< T, 0 >::failed_rangecheck(), FillEnergy(), fjetResol(), ForwardCalorimeterRate(), ActsExamples::from_json(), Acts::detail::SmallObjectCache::get(), Acts::SourceLink::get(), ActsExamples::WhiteBoard::get(), testing::internal::BuiltInDefaultValueGetter< T, kDefaultConstructible >::Get(), cl::detail::GetInfoHelper< Functor, T >::get(), cl::detail::GetInfoHelper< Func, VECTOR_CLASS< T > >::get(), GetBeamMom(), findNode::getClass(), Martini::getEnergyTransfer(), ActsExamples::MagneticFieldWrapper::GetFieldValue(), Hydroinfo_MUSIC::getHydroValues(), cl::detail::getInfo(), Martini::getMomentumTransfer(), Martini::getNewMomentumRad(), Acts::getParam(), Acts::getParamOr(), GetQAHisto(), Martini::getRateElasTotal(), Martini::getRateRadNeg(), Martini::getRateRadPos(), Martini::getRateRadTotal(), GetResolution(), Martini::getThermal(), testing::internal::GetTypeName(), PHPointerList< T >::grow(), Acts::AnyBase< ACTS_SOURCELINK_SBO_SIZE >::heapAllocated(), hLabHelper::hLabHelper(), HodoscopeCheck(), Proto4ShowerCalib::Init(), Proto2ShowerCalib::Init(), Proto3ShowerCalib::Init(), Proto4TowerCalib::Init(), ExampleAnalysisModule::Init(), Acts::interpolate(), Acts::detail::CantorEdge< int64_t >::inverse(), Martini::isCoherent(), Hydro::ISformal(), PHSimpleKFProp::KDPointCloud< T >::kdtree_distance(), KinematicsChecks(), LBT::LBT0(), LineShapeData(), LineShapeSim(), nanoflann::load_value(), Sub1rhoA::Loop(), main(), Acts::detail::SmallObjectCache::make(), Jetscape::make_unique(), Acts::AnyBase< ACTS_SOURCELINK_SBO_SIZE >::makeHandler(), Acts::makePhiThetaFromDirection(), makePlot_LoI_Momentum(), MakeRadiusCut(), Acts::Surface::makeShared(), testing::internal::FieldMatcher< Class, FieldType >::MatchAndExplain(), testing::internal::PropertyMatcher< Class, PropertyType >::MatchAndExplain(), KFPSimdAllocator< T >::max_size(), MvtxMonDraw::MergeServers(), Acts::detail::SmallObjectCache::Handler< T >::move(), Acts::detail::SmallObjectCache::Handler< T >::moveConstruct(), Acts::AnyBase< ACTS_SOURCELINK_SBO_SIZE >::moveConstructImpl(), Acts::AnyBase< ACTS_SOURCELINK_SBO_SIZE >::moveImpl(), MultiArray< TVector3 >::MultiArray(), Hydro::NSquant(), Acts::Sycl::detail::TripletSearch::operator()(), Acts::DistanceSorterT< T >::operator()(), ActsExamples::ReadDataHandle< std::vector< Acts::BoundTrackParameters > >::operator()(), nanoflann::L1_Adaptor< T, DataSource, _DistanceType >::operator()(), nanoflann::L2_Adaptor< T, DataSource, _DistanceType >::operator()(), PseudoJet::operator()(), testing::internal2::operator<<(), cl::vector< ::size_t, N >::operator=(), cl::vector< ::size_t, N >::operator==(), PHPointerList< T >::PHPointerList(), Acts::PlaneSurface::PlaneSurface(), plot_momentum_vs_eta(), PlotCalorimeterSamplingFraction(), PositionDependenceData(), PositionDependenceSim(), testing::internal::PrintTo(), Proto4ShowerCalib::process_event(), Proto3ShowerCalib::process_event(), Proto2ShowerCalib::process_event(), Proto4TowerCalib::process_event(), ExampleAnalysisModule::process_event(), PHActsTrackProjection::propagateTrack(), tinyxml2::DynArray< char, 20 >::PushArr(), Acts::detail::radian_pos(), Acts::detail::radian_sym(), Acts::Test::GenericReadWriteTool< val_tuple_t, str_tuple_t >::read(), Hydroinfo_MUSIC::readHydroData(), ActsExamples::Options::readMagneticField(), testing::internal::scoped_ptr< const ::std::string >::release(), PHPointerList< T >::removeAt(), testing::internal::scoped_ptr< const ::std::string >::reset(), Resolution(), ActsExamples::RootBFieldWriter::run(), ActsExamples::CsvBFieldWriter::run(), EoS::s(), Acts::safeExp(), ThermalPartonSampler::samplebrick(), Sampling(), nanoflann::save_value(), testing::SetArgPointee(), testing::SetArgumentPointee(), Hydro::setNSvalues(), CommonTest< T >::SetUpTestCase(), boost::shared_polymorphic_downcast(), ShowerShape_Checks(), SimPositionCheck(), cl::detail::KernelArgumentHandler< T >::size(), Acts::SourceLink::SourceLink(), Acts::Test::MultiTrajectoryTestsCommon< factory_t >::testMultiTrajectoryExtraColumns(), ThermalPartonSampler::ThermalPartonSampler(), Track3D(), TrackClusterEnergy(), TrackDistortion(), TrackerRate(), TrackProjection_Checks(), TrackQA(), ActsExamples::WhiteBoard::HolderT< T, typename >::type(), ActsExamples::WriteDataHandle< std::vector< Acts::BoundTrackParameters > >::typeInfo(), ActsExamples::ReadDataHandle< std::vector< Acts::BoundTrackParameters > >::typeInfo(), testing::internal::UniversalPrint(), testing::UnorderedElementsAreArray(), UpsilonPair_Checks(), cl::vector< ::size_t, N >::vector(), VertexChecks(), WhereIsTheHits(), and Acts::detail::wrap_periodic().

constexpr double Acts::UnitConstants::TeV = 1e3 * GeV

Definition at line 179 of file Units.hpp.

View newest version in sPHENIX GitHub at line 179 of file Units.hpp

Referenced by Acts::Python::addUnits().

constexpr double Acts::UnitConstants::u = 0.93149410242

atomic mass unit u

Definition at line 182 of file Units.hpp.

View newest version in sPHENIX GitHub at line 182 of file Units.hpp

constexpr double Acts::UnitConstants::us = 1e-6 * s

Definition at line 166 of file Units.hpp.

View newest version in sPHENIX GitHub at line 166 of file Units.hpp

Referenced by Acts::Python::addUnits(), EMCalTowerRingStudy(), Acts::MultiIndex< uint64_t, 12, 12, 16, 8, 16 >::Encode(), and ExploreTTrees().