Back to home page

EIC code displayed by LXR

 
 

    


File indexing completed on 2025-10-19 07:57:11

0001 // This file is part of the ACTS project.
0002 //
0003 // Copyright (C) 2016 CERN for the benefit of the ACTS project
0004 //
0005 // This Source Code Form is subject to the terms of the Mozilla Public
0006 // License, v. 2.0. If a copy of the MPL was not distributed with this
0007 // file, You can obtain one at https://mozilla.org/MPL/2.0/.
0008 
0009 #pragma once
0010 
0011 #include "Acts/Geometry/GeometryIdentifier.hpp"
0012 
0013 #include <algorithm>
0014 #include <cassert>
0015 #include <initializer_list>
0016 #include <iterator>
0017 #include <stdexcept>
0018 #include <utility>
0019 #include <vector>
0020 
0021 namespace Acts {
0022 
0023 /// Store values mapped into the geometry hierarchy.
0024 ///
0025 /// @tparam value_t stored value type
0026 ///
0027 /// The core functionality is to find an equivalent element, i.e. an
0028 /// identifier-value pair, for a given geometry identifier via
0029 ///
0030 ///     auto it = container.find(GeometryIdentifier(...));
0031 ///     if (it != container.end()) {
0032 ///         ...
0033 ///     }
0034 ///
0035 /// Trailing zero levels of stored geometry identifiers are used as
0036 /// broadcast values to refer to higher-level objects within the geometry, e.g.
0037 /// a geometry identifier with vanishing approach and sensitive index identifies
0038 /// a layer. An entry will all geometry identifier levels set to zero acts as
0039 /// the global default value.
0040 ///
0041 /// The container also supports range-based iteration over all stored elements
0042 ///
0043 ///     for (const auto& element : container) {
0044 ///         ...
0045 ///     }
0046 ///
0047 /// and index-based access to stored elements and associated geometry
0048 /// identifiers
0049 ///
0050 ///     GeometryIdentifier id3 = container.idAt(3);
0051 ///     const auto& element4 = container.valueAt(4);
0052 ///
0053 /// @note No guarantees are given for the element order when using range-based
0054 ///   or index-based access. Any apparent ordering must be considered an
0055 ///   implementation detail and might change.
0056 ///
0057 /// Adding elements is potentially expensive as the internal lookup structure
0058 /// must be updated. In addition, modifying an element in-place could change its
0059 /// identifier which would also break the lookup. Thus, the container can not be
0060 /// modified after construction to prevent misuse.
0061 template <typename value_t>
0062 class GeometryHierarchyMap {
0063  public:
0064   /// Combined geometry identifier and value element. Only used for input.
0065   using InputElement = typename std::pair<GeometryIdentifier, value_t>;
0066   /// Type alias for const iterator over stored values
0067   using Iterator = typename std::vector<value_t>::const_iterator;
0068   /// Type alias for stored value type
0069   using Value = value_t;
0070 
0071   /// Construct the container from the given elements.
0072   ///
0073   /// @param elements input elements (must be unique with respect to identifier)
0074   explicit GeometryHierarchyMap(std::vector<InputElement> elements);
0075 
0076   /// Construct the container from an initializer list.
0077   ///
0078   /// @param elements input initializer list
0079   GeometryHierarchyMap(std::initializer_list<InputElement> elements);
0080 
0081   // defaulted constructors and assignment operators
0082   GeometryHierarchyMap() = default;
0083   /// Copy constructor
0084   GeometryHierarchyMap(const GeometryHierarchyMap&) = default;
0085   /// Move constructor
0086   GeometryHierarchyMap(GeometryHierarchyMap&&) noexcept = default;
0087   ~GeometryHierarchyMap() = default;
0088   /// Copy assignment operator
0089   /// @return Reference to this object for chaining
0090   GeometryHierarchyMap& operator=(const GeometryHierarchyMap&) = default;
0091   /// Move assignment operator
0092   /// @return Reference to this object for chaining
0093   GeometryHierarchyMap& operator=(GeometryHierarchyMap&&) noexcept = default;
0094 
0095   /// Return an iterator pointing to the beginning of the stored values.
0096   /// @return Iterator to the first element
0097   Iterator begin() const { return m_values.begin(); }
0098 
0099   /// Return an iterator pointing to the end of the stored values.
0100   /// @return Iterator past the last element
0101   Iterator end() const { return m_values.end(); }
0102 
0103   /// Check if any elements are stored.
0104   /// @return True if the container is empty, false otherwise
0105   bool empty() const { return m_values.empty(); }
0106 
0107   /// Return the number of stored elements.
0108   /// @return Number of elements in the container
0109   std::size_t size() const { return m_values.size(); }
0110 
0111   /// Access the geometry identifier for the i-th element with bounds check.
0112   /// @param index The index of the element to access
0113   ///
0114   /// @throws std::out_of_range for invalid indices
0115   /// @return The geometry identifier at the specified index
0116   GeometryIdentifier idAt(std::size_t index) const {
0117     return GeometryIdentifier(m_ids.at(index));
0118   }
0119 
0120   /// Access the value of the i-th element in the container with bounds check.
0121   /// @param index The index of the element to access
0122   ///
0123   /// @throws std::out_of_range for invalid indices
0124   /// @return Reference to the value at the specified index
0125   const Value& valueAt(std::size_t index) const { return m_values.at(index); }
0126 
0127   /// Find the most specific value for a given geometry identifier.
0128   ///
0129   /// This can be either from the element matching exactly to the given geometry
0130   /// id, if it exists, or from the element for the next available higher level
0131   /// within the geometry hierarchy.
0132   ///
0133   /// @param id geometry identifier for which information is requested
0134   /// @retval iterator to an existing value
0135   /// @retval `.end()` iterator if no matching element exists
0136   Iterator find(const GeometryIdentifier& id) const;
0137 
0138   /// Check if the most specific value exists for a given geometry identifier.
0139   ///
0140   /// This function checks if there is an element matching exactly the given
0141   /// geometry id, or from the element for the next available higher level
0142   /// within the geometry hierarchy.
0143   ///
0144   /// @param id geometry identifier for which existence is being checked
0145   /// @retval `true` if a matching element exists
0146   /// @retval `false` if no matching element exists
0147   bool contains(const GeometryIdentifier& id) const;
0148 
0149  private:
0150   // NOTE this class assumes that it knows the ordering of the levels within
0151   //      the geometry id. if the geometry id changes, this code has to be
0152   //      adapted too. the asserts ensure that such a change is caught.
0153   static_assert(GeometryIdentifier().withVolume(1).value() <
0154                     GeometryIdentifier().withVolume(1).withBoundary(1).value(),
0155                 "Incompatible GeometryIdentifier hierarchy");
0156   static_assert(GeometryIdentifier().withBoundary(1).value() <
0157                     GeometryIdentifier().withBoundary(1).withLayer(1).value(),
0158                 "Incompatible GeometryIdentifier hierarchy");
0159   static_assert(GeometryIdentifier().withLayer(1).value() <
0160                     GeometryIdentifier().withLayer(1).withApproach(1).value(),
0161                 "Incompatible GeometryIdentifier hierarchy");
0162   static_assert(
0163       GeometryIdentifier().withApproach(1).value() <
0164           GeometryIdentifier().withApproach(1).withSensitive(1).value(),
0165       "Incompatible GeometryIdentifier hierarchy");
0166 
0167   using Identifier = GeometryIdentifier::Value;
0168 
0169   // encoded ids for all elements for faster lookup.
0170   std::vector<Identifier> m_ids;
0171   // validity bit masks for the ids: which parts to use for comparison
0172   std::vector<Identifier> m_masks;
0173   std::vector<Value> m_values;
0174 
0175   /// Construct a mask where all leading non-zero levels are set.
0176   static constexpr Identifier makeLeadingLevelsMask(GeometryIdentifier id) {
0177     // construct id from encoded value with all bits set
0178     const auto allSet = GeometryIdentifier(~GeometryIdentifier::Value{0u});
0179     // manually iterate over identifier levels starting from the lowest
0180     if (id.sensitive() != 0u) {
0181       // all levels are valid; keep all bits set.
0182       return allSet.withExtra(0u).value();
0183     }
0184     if (id.approach() != 0u) {
0185       return allSet.withExtra(0u).withSensitive(0u).value();
0186     }
0187     if (id.layer() != 0u) {
0188       return allSet.withExtra(0u).withSensitive(0u).withApproach(0u).value();
0189     }
0190     if (id.boundary() != 0u) {
0191       return allSet.withExtra(0u)
0192           .withSensitive(0u)
0193           .withApproach(0u)
0194           .withLayer(0u)
0195           .value();
0196     }
0197     if (id.volume() != 0u) {
0198       return allSet.withExtra(0u)
0199           .withSensitive(0u)
0200           .withApproach(0u)
0201           .withLayer(0u)
0202           .withBoundary(0u)
0203           .value();
0204     }
0205     // no valid levels; all bits are zero.
0206     return Identifier{0u};
0207   }
0208 
0209   /// Construct a mask where only the highest level is set.
0210   static constexpr Identifier makeHighestLevelMask() {
0211     return makeLeadingLevelsMask(GeometryIdentifier(0u).withVolume(1u));
0212   }
0213 
0214   /// Compare the two identifiers only within the masked bits.
0215   static constexpr bool equalWithinMask(Identifier lhs, Identifier rhs,
0216                                         Identifier mask) {
0217     return (lhs & mask) == (rhs & mask);
0218   }
0219 
0220   /// Ensure identifier ordering and uniqueness.
0221   static void sortAndCheckDuplicates(std::vector<InputElement>& elements);
0222 
0223   /// Fill the container from the input elements.
0224   ///
0225   /// This assumes that the elements are ordered and unique with respect to
0226   /// their identifiers.
0227   void fill(const std::vector<InputElement>& elements);
0228 };
0229 
0230 // implementations
0231 
0232 template <typename value_t>
0233 inline GeometryHierarchyMap<value_t>::GeometryHierarchyMap(
0234     std::vector<InputElement> elements) {
0235   sortAndCheckDuplicates(elements);
0236   fill(elements);
0237 }
0238 
0239 template <typename value_t>
0240 inline GeometryHierarchyMap<value_t>::GeometryHierarchyMap(
0241     std::initializer_list<InputElement> elements)
0242     : GeometryHierarchyMap(
0243           std::vector<InputElement>(elements.begin(), elements.end())) {}
0244 
0245 template <typename value_t>
0246 inline void GeometryHierarchyMap<value_t>::sortAndCheckDuplicates(
0247     std::vector<InputElement>& elements) {
0248   // ensure elements are sorted by identifier
0249   std::ranges::sort(elements, [=](const auto& lhs, const auto& rhs) {
0250     return lhs.first < rhs.first;
0251   });
0252 
0253   // Check that all elements have unique identifier
0254   auto dup = std::ranges::adjacent_find(
0255       elements,
0256       [](const auto& lhs, const auto& rhs) { return lhs.first == rhs.first; });
0257 
0258   if (dup != elements.end()) {
0259     throw std::invalid_argument("Input elements contain duplicates");
0260   }
0261 }
0262 
0263 template <typename value_t>
0264 inline void GeometryHierarchyMap<value_t>::fill(
0265     const std::vector<InputElement>& elements) {
0266   m_ids.clear();
0267   m_masks.clear();
0268   m_values.clear();
0269 
0270   m_ids.reserve(elements.size());
0271   m_masks.reserve(elements.size());
0272   m_values.reserve(elements.size());
0273 
0274   for (const auto& element : elements) {
0275     m_ids.push_back(element.first.value());
0276     m_masks.push_back(
0277         makeLeadingLevelsMask(GeometryIdentifier(element.first.value())));
0278     m_values.push_back(std::move(element.second));
0279   }
0280 }
0281 
0282 template <typename value_t>
0283 inline auto GeometryHierarchyMap<value_t>::find(
0284     const GeometryIdentifier& id) const -> Iterator {
0285   assert((m_ids.size() == m_values.size()) &&
0286          "Inconsistent container state: #ids != # values");
0287   assert((m_masks.size() == m_values.size()) &&
0288          "Inconsistent container state: #masks != #values");
0289 
0290   // we can not search for the element directly since the relevant one
0291   // might be stored at a higher level. ids for higher levels would always
0292   // be sorted before the requested id. searching for the first element
0293   // after the requested ensures that we include the full hierarchy.
0294   const auto it = std::upper_bound(m_ids.begin(), m_ids.end(), id.value());
0295   auto i = std::distance(m_ids.begin(), it);
0296 
0297   // now go up the hierarchy to find the first matching element.
0298   // example: the container stores four identifiers
0299   //
0300   //     2|x|x (volume-only)
0301   //     2|2|1 (volume, layer, and sensitive)
0302   //     2|3|x (volume and layer)
0303   //     2|3|4 (volume, layer, and sensitive)
0304   //
0305   // where | marks level boundaries. searching for either 2|3|4, 2|3|7, or
0306   // 2|4|x would first point to 2|3|4 and thus needs to go up the hierarchy.
0307   while (0 < i) {
0308     // index always starts after item of interest due to upper bound search
0309     --i;
0310 
0311     // if the input id does not even match at the highest hierarchy level
0312     // with the current comparison id, then have reached the end of this
0313     // hierarchy. having a special check for the highest level avoids an
0314     // unbounded search window all the way to the beginning of the container for
0315     // the global default entry.
0316     if (!equalWithinMask(id.value(), m_ids[i], makeHighestLevelMask())) {
0317       // check if a global default entry exists
0318       if (m_ids.front() == Identifier{0u}) {
0319         return begin();
0320       } else {
0321         return end();
0322       }
0323     }
0324 
0325     // since the search is going backwards in the sorted container, it
0326     // progresses from more specific to less specific elements. the first
0327     // match is automatically the appropriate one.
0328     if (equalWithinMask(id.value(), m_ids[i], m_masks[i])) {
0329       return std::next(begin(), i);
0330     }
0331   }
0332 
0333   // all options are exhausted and no matching element was found.
0334   return end();
0335 }
0336 
0337 template <typename value_t>
0338 inline auto GeometryHierarchyMap<value_t>::contains(
0339     const GeometryIdentifier& id) const -> bool {
0340   return this->find(id) != this->end();
0341 }
0342 
0343 }  // namespace Acts