Project
Loading...
Searching...
No Matches
InputRecord.h
Go to the documentation of this file.
1// Copyright 2019-2020 CERN and copyright holders of ALICE O2.
2// See https://alice-o2.web.cern.ch/copyright for details of the copyright holders.
3// All rights not expressly granted are reserved.
4//
5// This software is distributed under the terms of the GNU General Public
6// License v3 (GPL Version 3), copied verbatim in the file "COPYING".
7//
8// In applying this license CERN does not waive the privileges and immunities
9// granted to it by virtue of its status as an Intergovernmental Organization
10// or submit itself to any jurisdiction.
11#ifndef O2_FRAMEWORK_INPUTRECORD_H_
12#define O2_FRAMEWORK_INPUTRECORD_H_
13
14#include "Framework/DataRef.h"
19#include "Framework/Traits.h"
21#include "Framework/Logger.h"
24
25#include "Headers/DataHeader.h"
26
27#include <gsl/gsl>
28
29#include <iterator>
30#include <string>
31#include <vector>
32#include <cstring>
33#include <cassert>
34#include <memory>
35#include <type_traits>
36#include <concepts>
37
38#include <fairmq/FwdDecls.h>
39
40namespace o2::framework
41{
42
43// Wrapper class to get CCDB metadata
46
47struct InputSpec;
48class InputSpan;
49class CallbackService;
50
102{
103 public:
105
106 // Typesafe position inside a record of an input.
107 // Multiple routes by which the input gets in this
108 // position are multiplexed.
109 struct InputPos {
110 size_t index;
111 constexpr static size_t INVALID = -1LL;
112 };
113
114 InputRecord(std::vector<InputRoute> const& inputs,
117
129 template <typename T>
130 class Deleter : public std::default_delete<T>
131 {
132 public:
133 enum struct OwnershipProperty : short {
134 Unknown = -1,
135 NotOwning = 0,
136 Owning = 1
137 };
138
139 using base = std::default_delete<T>;
141 // using pointer = typename base::pointer;
142
143 constexpr Deleter() = default;
144 constexpr Deleter(bool isOwning)
145 : base::default_delete(), mProperty(isOwning ? OwnershipProperty::Owning : OwnershipProperty::NotOwning)
146 {
147 }
148
149 // copy constructor is needed in the setup of unique_ptr
150 // check that assignments happen only to uninitialized instances
151 constexpr Deleter(const self_type& other) : base::default_delete(other), mProperty{OwnershipProperty::Unknown}
152 {
153 if (mProperty == OwnershipProperty::Unknown) {
154 mProperty = other.mProperty;
155 } else if (mProperty != other.mProperty) {
156 throw runtime_error("Attemp to change resource control");
157 }
158 }
159
160 // copy constructor for the default delete which simply sets the
161 // resource ownership control to 'Owning'
162 constexpr Deleter(const base& other) : base::default_delete(other), mProperty{OwnershipProperty::Owning} {}
163
164 // allow assignment operator only for pristine or matching resource control property
166 {
167 // the default_deleter does not have any state, so this could be skipped, but keep the call to
168 // the base for completeness, and the (small) chance for changing the base
169 base::operator=(other);
170 if (mProperty == OwnershipProperty::Unknown) {
171 mProperty = other.mProperty;
172 } else if (mProperty != other.mProperty) {
173 throw runtime_error("Attemp to change resource control");
174 }
175 return *this;
176 }
177
178 void operator()(T* ptr) const
179 {
180 if (mProperty == OwnershipProperty::NotOwning) {
181 // nothing done if resource is not owned
182 return;
183 }
184 base::operator()(ptr);
185 }
186
187 private:
189 };
190
191 int getPos(const char* name) const;
192 [[nodiscard]] static InputPos getPos(std::vector<InputRoute> const& routes, ConcreteDataMatcher matcher);
193 [[nodiscard]] static DataRef getByPos(std::vector<InputRoute> const& routes, InputSpan const& span, int pos, int part = 0);
194
195 [[nodiscard]] int getPos(const std::string& name) const;
196
197 [[nodiscard]] DataRef getByPos(int pos, int part = 0) const;
198
200 [[nodiscard]] DataRef getFirstValid(bool throwOnFailure = false) const;
201
202 [[nodiscard]] size_t getNofParts(int pos) const;
203
204 // Given a binding by string, return the associated DataRef
205 DataRef getDataRefByString(const char* bindingName, int part = 0) const
206 {
207 int pos = getPos(bindingName);
208 if (pos < 0) {
209 auto msg = describeAvailableInputs();
210 throw runtime_error_f("InputRecord::get: no input with binding %s found. %s", bindingName, msg.c_str());
211 }
212 return this->getByPos(pos, part);
213 }
214
215 template <typename R>
216 requires std::is_convertible_v<R, char const*>
217 DataRef getRef(R binding, int part = 0) const
218 {
219 return getDataRefByString(binding, part);
220 }
221
222 template <typename R>
223 requires requires(R r) { r.c_str(); }
224 DataRef getRef(R binding, int part = 0) const
225 {
226 return getDataRefByString(binding.c_str(), part);
227 }
228
229 template <typename R>
230 requires std::is_convertible_v<R, DataRef>
231 DataRef getRef(R ref, int part = 0) const
232 {
233 return ref;
234 }
235
247 template <typename T = DataRef, typename R>
248 decltype(auto) get(R binding, int part = 0) const
249 {
250 DataRef ref = getRef(binding, part);
251
252 using PointerLessValueT = std::remove_pointer_t<T>;
253
254 if constexpr (std::is_same_v<std::decay_t<T>, DataRef>) {
255 return ref;
256 } else if constexpr (std::is_same<T, std::string>::value) {
257 // substitution for std::string
258 // If we ask for a string, we need to duplicate it because we do not want
259 // the buffer to be deleted when it goes out of scope. The string is built
260 // from the data and its lengh, null-termination is not necessary.
261 // return std::string object
262 return std::string(ref.payload, DataRefUtils::getPayloadSize(ref));
263
264 // implementation (c)
265 } else if constexpr (std::is_same<T, char const*>::value) {
266 // substitution for const char*
267 // If we ask for a char const *, we simply point to the payload. Notice this
268 // is meant for C-style strings which are expected to be null terminated.
269 // If you want to actually get hold of the buffer, use gsl::span<char> as that will
270 // give you the size as well.
271 // return pointer to payload content
272 return reinterpret_cast<char const*>(ref.payload);
273
274 // implementation (d)
275 } else if constexpr (std::is_same<T, TableConsumer>::value) {
276 // substitution for TableConsumer
277 // For the moment this is dummy, as it requires proper support to
278 // create the RDataSource from the arrow buffer.
279 auto data = reinterpret_cast<uint8_t const*>(ref.payload);
280 return std::make_unique<TableConsumer>(data, DataRefUtils::getPayloadSize(ref));
281
282 // implementation (f)
283 } else if constexpr (is_span<T>::value) {
284 // substitution for span of messageable objects
285 // FIXME: there will be std::span in C++20
286 static_assert(is_messageable<typename T::value_type>::value, "span can only be created for messageable types");
287 auto header = DataRefUtils::getHeader<header::DataHeader*>(ref);
288 assert(header);
289 if (sizeof(typename T::value_type) > 1 && header->payloadSerializationMethod != o2::header::gSerializationMethodNone) {
290 throw runtime_error("Inconsistent serialization method for extracting span");
291 }
292 using ValueT = typename T::value_type;
293 auto payloadSize = DataRefUtils::getPayloadSize(ref);
294 if (payloadSize % sizeof(ValueT)) {
295 throw runtime_error(("Inconsistent type and payload size at " + std::string(ref.spec->binding) + "(" + DataSpecUtils::describe(*ref.spec) + ")" +
296 ": type size " + std::to_string(sizeof(ValueT)) +
297 " payload size " + std::to_string(payloadSize))
298 .c_str());
299 }
300 return gsl::span<ValueT const>(reinterpret_cast<ValueT const*>(ref.payload), payloadSize / sizeof(ValueT));
301
302 // implementation (g)
303 } else if constexpr (is_container<T>::value) {
304 // currently implemented only for vectors
305 if constexpr (is_specialization_v<std::remove_const_t<T>, std::vector>) {
306 auto header = DataRefUtils::getHeader<header::DataHeader*>(ref);
307 auto payloadSize = DataRefUtils::getPayloadSize(ref);
308 auto method = header->payloadSerializationMethod;
310 // TODO: construct a vector spectator
311 // this is a quick solution now which makes a copy of the plain vector data
312 auto* start = reinterpret_cast<typename T::value_type const*>(ref.payload);
313 auto* end = start + payloadSize / sizeof(typename T::value_type);
314 T result(start, end);
315 return result;
316 } else if (method == o2::header::gSerializationMethodROOT) {
322 using NonConstT = typename std::remove_const<T>::type;
323 if constexpr (is_specialization_v<T, ROOTSerialized> == true || has_root_dictionary<T>::value == true) {
324 // we expect the unique_ptr to hold an object, exception should have been thrown
325 // otherwise
326 auto object = DataRefUtils::as<NonConstT>(ref);
327 // need to swap the content of the deserialized container to a local variable to force return
328 // value optimization
329 T container;
330 std::swap(const_cast<NonConstT&>(container), *object);
331 return container;
332 } else {
333 throw runtime_error("No supported conversion function for ROOT serialized message");
334 }
335 } else {
336 throw runtime_error("Attempt to extract object from message with unsupported serialization type");
337 }
338 } else {
339 static_assert(always_static_assert_v<T>, "unsupported code path");
340 }
341
342 // implementation (h)
343 } else if constexpr (is_messageable<T>::value) {
344 // extract a messageable type by reference
345 // Cast content of payload bound by @a binding to known type.
346 // we need to check the serialization type, the cast makes only sense for
347 // unserialized objects
348
349 auto header = DataRefUtils::getHeader<header::DataHeader*>(ref);
350 auto method = header->payloadSerializationMethod;
352 // FIXME: we could in principle support serialized content here as well if we
353 // store all extracted objects internally and provide cleanup
354 throw runtime_error("Can not extract a plain object from serialized message");
355 }
356 return *reinterpret_cast<T const*>(ref.payload);
357
358 // implementation (i)
359 } else if constexpr (std::is_pointer_v<T> &&
362 (is_specialization_v<PointerLessValueT, std::vector> && has_messageable_value_type<PointerLessValueT>::value) ||
364 // extract a messageable type or object with ROOT dictionary by pointer
365 // return unique_ptr to message content with custom deleter
366 using ValueT = PointerLessValueT;
367
368 auto header = DataRefUtils::getHeader<header::DataHeader*>(ref);
369 auto payloadSize = DataRefUtils::getPayloadSize(ref);
370 auto method = header->payloadSerializationMethod;
372 if constexpr (is_messageable<ValueT>::value) {
373 auto const* ptr = reinterpret_cast<ValueT const*>(ref.payload);
374 // return type with non-owning Deleter instance
375 std::unique_ptr<ValueT const, Deleter<ValueT const>> result(ptr, Deleter<ValueT const>(false));
376 return result;
377 } else if constexpr (is_specialization_v<ValueT, std::vector> && has_messageable_value_type<ValueT>::value) {
378 // TODO: construct a vector spectator
379 // this is a quick solution now which makes a copy of the plain vector data
380 auto* start = reinterpret_cast<typename ValueT::value_type const*>(ref.payload);
381 auto* end = start + payloadSize / sizeof(typename ValueT::value_type);
382 auto container = std::make_unique<ValueT>(start, end);
383 std::unique_ptr<ValueT const, Deleter<ValueT const>> result(container.release(), Deleter<ValueT const>(true));
384 return result;
385 }
386 throw runtime_error("unsupported code path");
387 } else if (method == o2::header::gSerializationMethodROOT) {
388 // This supports the common case of retrieving a root object and getting pointer.
389 // Notice that this will return a copy of the actual contents of the buffer, because
390 // the buffer is actually serialised, for this reason we return a unique_ptr<T>.
391 // FIXME: does it make more sense to keep ownership of all the deserialised
392 // objects in a single place so that we can avoid duplicate deserializations?
393 // explicitely specify serialization method to ROOT-serialized because type T
394 // is messageable and a different method would be deduced in DataRefUtils
395 // return type with owning Deleter instance, forwarding to default_deleter
396 std::unique_ptr<ValueT const, Deleter<ValueT const>> result(DataRefUtils::as<ROOTSerialized<ValueT>>(ref).release());
397 return result;
398 } else if (method == o2::header::gSerializationMethodCCDB) {
399 // This is to support deserialising objects from CCDB. Contrary to what happens for
400 // other objects, those objects are most likely long lived, so we
401 // keep around an instance of the associated object and deserialise it only when
402 // it's updated.
403 // FIXME: add ability to apply callbacks to deserialised objects.
404 auto id = ObjectCache::Id::fromRef(ref);
405 ConcreteDataMatcher matcher{header->dataOrigin, header->dataDescription, header->subSpecification};
406 // If the matcher does not have an entry in the cache, deserialise it
407 // and cache the deserialised object at the given id.
408 auto path = fmt::format("{}", DataSpecUtils::describe(matcher));
409 LOGP(debug, "{}", path);
410 auto& cache = mRegistry.get<ObjectCache>();
411 auto& callbacks = mRegistry.get<CallbackService>();
412 auto cacheEntry = cache.matcherToId.find(path);
413 if (cacheEntry == cache.matcherToId.end()) {
414 cache.matcherToId.insert(std::make_pair(path, id));
415 std::unique_ptr<ValueT const, Deleter<ValueT const>> result(DataRefUtils::as<CCDBSerialized<ValueT>>(ref).release(), false);
416 void* obj = (void*)result.get();
417 callbacks.call<CallbackService::Id::CCDBDeserialised>((ConcreteDataMatcher&)matcher, (void*)obj);
418 cache.idToObject[id] = obj;
419 LOGP(info, "Caching in {} ptr to {} ({})", id.value, path, obj);
420 return result;
421 }
422 auto& oldId = cacheEntry->second;
423 // The id in the cache is the same, let's simply return it.
424 if (oldId.value == id.value) {
425 std::unique_ptr<ValueT const, Deleter<ValueT const>> result((ValueT const*)cache.idToObject[id], false);
426 LOGP(debug, "Returning cached entry {} for {} ({})", id.value, path, (void*)result.get());
427 return result;
428 }
429 // The id in the cache is different. Let's destroy the old cached entry
430 // and create a new one.
431 delete reinterpret_cast<ValueT*>(cache.idToObject[oldId]);
432 std::unique_ptr<ValueT const, Deleter<ValueT const>> result(DataRefUtils::as<CCDBSerialized<ValueT>>(ref).release(), false);
433 void* obj = (void*)result.get();
434 callbacks.call<CallbackService::Id::CCDBDeserialised>((ConcreteDataMatcher&)matcher, (void*)obj);
435 cache.idToObject[id] = obj;
436 LOGP(info, "Replacing cached entry {} with {} for {} ({})", oldId.value, id.value, path, obj);
437 oldId.value = id.value;
438 return result;
439 } else {
440 throw runtime_error("Attempt to extract object from message with unsupported serialization type");
441 }
442 } else if constexpr (std::is_pointer_v<T>) {
443 static_assert(always_static_assert<T>::value, "T is not a supported type");
444 } else if constexpr (has_root_dictionary<T>::value) {
445 // retrieving ROOT objects follows the pointer approach, i.e. T* has to be specified
446 // as template parameter and a unique_ptr will be returned, std vectors of ROOT serializable
447 // objects can be retrieved by move, this is handled above in the "container" code branch
448 static_assert(always_static_assert_v<T>, "ROOT objects need to be retrieved by pointer");
449 } else {
450 // non-messageable objects for which serialization method can not be derived by type,
451 // the operation depends on the transmitted serialization method
452 auto header = DataRefUtils::getHeader<header::DataHeader*>(ref);
453 auto method = header->payloadSerializationMethod;
455 // this code path is only selected if the type is non-messageable
456 throw runtime_error(
457 "Type mismatch: attempt to extract a non-messagable object "
458 "from message with unserialized data");
459 } else if (method == o2::header::gSerializationMethodROOT) {
460 // explicitely specify serialization method to ROOT-serialized because type T
461 // is messageable and a different method would be deduced in DataRefUtils
462 // return type with owning Deleter instance, forwarding to default_deleter
463 std::unique_ptr<T const, Deleter<T const>> result(DataRefUtils::as<ROOTSerialized<T>>(ref).release());
464 return result;
465 } else {
466 throw runtime_error("Attempt to extract object from message with unsupported serialization type");
467 }
468 }
469 }
470
471 template <typename T = DataRef, typename R>
472 std::map<std::string, std::string>& get(R binding, int part = 0) const
473 requires std::same_as<T, CCDBMetadataExtractor>
474 {
475 auto ref = getRef(binding, part);
476 auto header = DataRefUtils::getHeader<header::DataHeader*>(ref);
477 auto payloadSize = DataRefUtils::getPayloadSize(ref);
478 auto method = header->payloadSerializationMethod;
479 if (method != header::gSerializationMethodCCDB) {
480 throw runtime_error("Attempt to extract metadata from a non-CCDB serialised message");
481 }
482 // This is to support deserialising objects from CCDB. Contrary to what happens for
483 // other objects, those objects are most likely long lived, so we
484 // keep around an instance of the associated object and deserialise it only when
485 // it's updated.
486 auto id = ObjectCache::Id::fromRef(ref);
487 ConcreteDataMatcher matcher{header->dataOrigin, header->dataDescription, header->subSpecification};
488 // If the matcher does not have an entry in the cache, deserialise it
489 // and cache the deserialised object at the given id.
490 auto path = fmt::format("{}", DataSpecUtils::describe(matcher));
491 LOGP(debug, "{}", path);
492 auto& cache = mRegistry.get<ObjectCache>();
493 auto cacheEntry = cache.matcherToMetadataId.find(path);
494 if (cacheEntry == cache.matcherToMetadataId.end()) {
495 cache.matcherToMetadataId.insert(std::make_pair(path, id));
496 cache.idToMetadata[id] = DataRefUtils::extractCCDBHeaders(ref);
497 LOGP(info, "Caching CCDB metadata {}: {}", id.value, path);
498 return cache.idToMetadata[id];
499 }
500 auto& oldId = cacheEntry->second;
501 // The id in the cache is the same, let's simply return it.
502 if (oldId.value == id.value) {
503 LOGP(debug, "Returning cached CCDB metatada {}: {}", id.value, path);
504 return cache.idToMetadata[id];
505 }
506 // The id in the cache is different. Let's destroy the old cached entry
507 // and create a new one.
508 LOGP(info, "Replacing cached entry {} with {} for {}", oldId.value, id.value, path);
509 cache.idToMetadata[id] = DataRefUtils::extractCCDBHeaders(ref);
510 oldId.value = id.value;
511 return cache.idToMetadata[id];
512 }
513
515 [[nodiscard]] bool isValid(std::string const& s) const
516 {
517 return isValid(s.c_str());
518 }
519
521 bool isValid(char const* s) const;
522 [[nodiscard]] bool isValid(int pos) const;
523
527 [[nodiscard]] size_t size() const;
528
532 [[nodiscard]] size_t countValidInputs() const;
533
534 template <typename ParentT, typename T>
536 {
537 public:
538 using ParentType = ParentT;
540 using iterator_category = std::forward_iterator_tag;
541 using value_type = T;
542 using reference = T&;
543 using pointer = T*;
544 using difference_type = std::ptrdiff_t;
545 using ElementType = typename std::remove_const<value_type>::type;
546
547 Iterator() = delete;
548
549 Iterator(ParentType const* parent, size_t position = 0, size_t size = 0)
550 : mPosition(position), mSize(size > position ? size : position), mParent(parent), mElement{nullptr, nullptr, nullptr}
551 {
552 if (mPosition < mSize) {
553 if (mParent->isValid(mPosition)) {
554 mElement = mParent->getByPos(mPosition);
555 } else {
556 ++(*this);
557 }
558 }
559 }
560
561 ~Iterator() = default;
562
563 // prefix increment
565 {
566 while (mPosition < mSize && ++mPosition < mSize) {
567 if (!mParent->isValid(mPosition)) {
568 continue;
569 }
570 mElement = mParent->getByPos(mPosition);
571 break;
572 }
573 if (mPosition >= mSize) {
574 // reset the element to the default value of the type
575 mElement = ElementType{};
576 }
577 return *this;
578 }
579 // postfix increment
580 SelfType operator++(int /*unused*/)
581 {
582 SelfType copy(*this);
583 operator++();
584 return copy;
585 }
586 // return reference
588 {
589 return mElement;
590 }
591 // comparison
592 bool operator==(const SelfType& rh) const
593 {
594 return mPosition == rh.mPosition;
595 }
596 // comparison
597 bool operator!=(const SelfType& rh) const
598 {
599 return mPosition != rh.mPosition;
600 }
601
602 [[nodiscard]] bool matches(o2::header::DataHeader matcher) const
603 {
604 if (mPosition >= mSize || mElement.header == nullptr) {
605 return false;
606 }
607 // at this point there must be a DataHeader, this has been checked by the DPL
608 // input cache
609 const auto* dh = DataRefUtils::getHeader<o2::header::DataHeader*>(mElement);
610 return *dh == matcher;
611 }
612
614 {
615 if (mPosition >= mSize || mElement.header == nullptr) {
616 return false;
617 }
618 // at this point there must be a DataHeader, this has been checked by the DPL
619 // input cache
620 const auto* dh = DataRefUtils::getHeader<o2::header::DataHeader*>(mElement);
621 return dh->dataOrigin == origin && (description == o2::header::gDataDescriptionInvalid || dh->dataDescription == description);
622 }
623
625 {
626 return matches(o2::header::DataHeader{description, origin, subspec});
627 }
628
629 [[nodiscard]] ParentType const* parent() const
630 {
631 return mParent;
632 }
633
634 [[nodiscard]] size_t position() const
635 {
636 return mPosition;
637 }
638
639 private:
640 size_t mPosition;
641 size_t mSize;
642 ParentType const* mParent;
643 ElementType mElement;
644 };
645
649 template <typename T>
650 class InputRecordIterator : public Iterator<InputRecord, T>
651 {
652 public:
657 using pointer = typename BaseType::pointer;
658 using ElementType = typename std::remove_const<value_type>::type;
661
662 InputRecordIterator(InputRecord const* parent, size_t position = 0, size_t size = 0)
664 {
665 }
666
668 [[nodiscard]] ElementType getByPos(size_t pos) const
669 {
670 return this->parent()->getByPos(this->position(), pos);
671 }
672
674 [[nodiscard]] bool isValid(size_t = 0) const
675 {
676 if (this->position() < this->parent()->size()) {
677 return this->parent()->isValid(this->position());
678 }
679 return false;
680 }
681
683 [[nodiscard]] size_t size() const
684 {
685 return this->parent()->getNofParts(this->position());
686 }
687
688 [[nodiscard]] const_iterator begin() const
689 {
690 return const_iterator(this, 0, size());
691 }
692
693 [[nodiscard]] const_iterator end() const
694 {
695 return const_iterator(this, size());
696 }
697 };
698
701
702 [[nodiscard]] const_iterator begin() const
703 {
704 return {this, 0, size()};
705 }
706
707 [[nodiscard]] const_iterator end() const
708 {
709 return {this, size()};
710 }
711
713 {
714 return mSpan;
715 }
716
717 private:
718 // Produce a string describing the available inputs.
719 [[nodiscard]] std::string describeAvailableInputs() const;
720
721 ServiceRegistryRef mRegistry;
722 std::vector<InputRoute> const& mInputsSchema;
723 InputSpan& mSpan;
724};
725
726} // namespace o2::framework
727
728#endif // O2_FRAMEWORK_INPUTREGISTRY_H_
uint16_t pos
Definition RawData.h:3
TBranch * ptr
std::ostringstream debug
std::default_delete< T > base
constexpr Deleter(const self_type &other)
@ Owning
don't delete the underlying buffer
constexpr Deleter(bool isOwning)
self_type & operator=(const self_type &other)
constexpr Deleter(const base &other)
typename std::remove_const< value_type >::type ElementType
InputRecordIterator(InputRecord const *parent, size_t position=0, size_t size=0)
size_t size() const
Get number of parts in input slot.
ElementType getByPos(size_t pos) const
Get element at {slotindex, partindex}.
typename BaseType::value_type value_type
Iterator< SelfType, const T > const_iterator
bool isValid(size_t=0) const
Check if slot is valid, index of part is not used.
typename std::remove_const< value_type >::type ElementType
bool operator!=(const SelfType &rh) const
bool matches(o2::header::DataOrigin origin, o2::header::DataDescription description=o2::header::gDataDescriptionInvalid) const
std::forward_iterator_tag iterator_category
Iterator(ParentType const *parent, size_t position=0, size_t size=0)
bool matches(o2::header::DataOrigin origin, o2::header::DataDescription description, o2::header::DataHeader::SubSpecificationType subspec) const
bool operator==(const SelfType &rh) const
ParentType const * parent() const
bool matches(o2::header::DataHeader matcher) const
The input API of the Data Processing Layer This class holds the inputs which are valid for processing...
int getPos(const char *name) const
DataRef getRef(R binding, int part=0) const
const_iterator begin() const
bool isValid(std::string const &s) const
Helper method to be used to check if a given part of the InputRecord is present.
decltype(auto) get(R binding, int part=0) const
const_iterator end() const
DataRef getRef(R binding, int part=0) const
DataRef getDataRefByString(const char *bindingName, int part=0) const
size_t countValidInputs() const
static DataRef getByPos(std::vector< InputRoute > const &routes, InputSpan const &span, int pos, int part=0)
std::map< std::string, std::string > & get(R binding, int part=0) const
size_t getNofParts(int pos) const
DataRef getFirstValid(bool throwOnFailure=false) const
Get the ref of the first valid input. If requested, throw an error if none is found.
DataRef getRef(R ref, int part=0) const
GLuint64EXT * result
Definition glcorearb.h:5662
GLsizeiptr size
Definition glcorearb.h:659
GLuint GLuint end
Definition glcorearb.h:469
GLuint const GLchar * name
Definition glcorearb.h:781
GLsizei const GLfloat * value
Definition glcorearb.h:819
GLboolean * data
Definition glcorearb.h:298
GLsizei const GLchar *const * path
Definition glcorearb.h:3591
GLboolean r
Definition glcorearb.h:1233
GLuint start
Definition glcorearb.h:469
GLint ref
Definition glcorearb.h:291
GLuint id
Definition glcorearb.h:650
constexpr o2::header::DataDescription gDataDescriptionInvalid
Definition DataHeader.h:596
Defining PrimaryVertex explicitly as messageable.
Definition TFIDInfo.h:20
RuntimeErrorRef runtime_error(const char *)
RuntimeErrorRef runtime_error_f(const char *,...)
constexpr o2::header::SerializationMethod gSerializationMethodROOT
Definition DataHeader.h:328
constexpr o2::header::SerializationMethod gSerializationMethodNone
Definition DataHeader.h:327
constexpr o2::header::SerializationMethod gSerializationMethodCCDB
Definition DataHeader.h:329
Defining DataPointCompositeObject explicitly as copiable.
std::string to_string(gsl::span< T, Size > span)
Definition common.h:52
static o2::header::DataHeader::PayloadSizeType getPayloadSize(const DataRef &ref)
static std::map< std::string, std::string > extractCCDBHeaders(DataRef const &ref)
static auto as(DataRef const &ref)
static std::string describe(InputSpec const &spec)
static constexpr size_t INVALID
static Id fromRef(DataRef &ref)
Definition ObjectCache.h:26
std::unordered_map< Id, void *, Id::hash_fn > idToObject
Definition ObjectCache.h:49
std::unordered_map< std::string, Id > matcherToMetadataId
Definition ObjectCache.h:54
the main header struct
Definition DataHeader.h:618
uint32_t SubSpecificationType
Definition DataHeader.h:620
VectorOfTObjectPtrs other
uint64_t const void const *restrict const msg
Definition x9.h:153