Logo ROOT  
Reference Guide
 
Loading...
Searching...
No Matches
RNTupleMerger.cxx
Go to the documentation of this file.
1/// \file RNTupleMerger.cxx
2/// \ingroup NTuple
3/// \author Jakob Blomer <jblomer@cern.ch>, Max Orok <maxwellorok@gmail.com>, Alaettin Serhan Mete <amete@anl.gov>,
4/// Giacomo Parolini <giacomo.parolini@cern.ch>
5/// \date 2020-07-08
6/// \warning This is part of the ROOT 7 prototype! It will
7/// change without notice. It might trigger earthquakes. Feedback is welcome!
8
9/*************************************************************************
10 * Copyright (C) 1995-2020, Rene Brun and Fons Rademakers. *
11 * All rights reserved. *
12 * *
13 * For the licensing terms see $ROOTSYS/LICENSE. *
14 * For the list of contributors see $ROOTSYS/README/CREDITS. *
15 *************************************************************************/
16
17#include <ROOT/RError.hxx>
18#include <ROOT/RNTuple.hxx>
21#include <ROOT/RNTupleModel.hxx>
22#include <ROOT/RNTupleTypes.hxx>
23#include <ROOT/RNTupleUtils.hxx>
26#include <ROOT/RPageStorage.hxx>
27#include <ROOT/RClusterPool.hxx>
29#include <ROOT/RNTupleZip.hxx>
31#include <TROOT.h>
32#include <TFileMergeInfo.h>
33#include <TFile.h>
34#include <TKey.h>
35
36#include <algorithm>
37#include <deque>
38#include <initializer_list>
39#include <unordered_map>
40#include <vector>
41
52
53using namespace ROOT::Experimental::Internal;
54
56{
57 static ROOT::RLogChannel sLog("ROOT.NTuple.Merge");
58 return sLog;
59}
60
61// TFile options parsing
62// -------------------------------------------------------------------------------------
63static bool BeginsWithDelimitedWord(const TString &str, const char *word)
64{
65 const Ssiz_t wordLen = strlen(word);
66 if (str.Length() < wordLen)
67 return false;
68 if (!str.BeginsWith(word, TString::ECaseCompare::kIgnoreCase))
69 return false;
70 return str.Length() == wordLen || str(wordLen) == ' ';
71}
72
73template <typename T>
74static std::optional<T> ParseStringOption(const TString &opts, const char *pattern,
75 std::initializer_list<std::pair<const char *, T>> validValues)
76{
77 const Ssiz_t patternLen = strlen(pattern);
78 assert(pattern[patternLen - 1] == '='); // we want to parse options with the format `option=Value`
79 if (auto idx = opts.Index(pattern, 0, TString::ECaseCompare::kIgnoreCase);
80 idx >= 0 && opts.Length() > idx + patternLen) {
81 auto sub = TString(opts(idx + patternLen, opts.Length() - idx - patternLen));
82 for (const auto &[name, value] : validValues) {
83 if (BeginsWithDelimitedWord(sub, name)) {
84 return value;
85 }
86 }
87 }
88 return std::nullopt;
89}
90
91static std::optional<ENTupleMergingMode> ParseOptionMergingMode(const TString &opts)
92{
93 return ParseStringOption<ENTupleMergingMode>(opts, "rntuple.MergingMode=",
94 {
95 {"Filter", ENTupleMergingMode::kFilter},
96 {"Union", ENTupleMergingMode::kUnion},
97 {"Strict", ENTupleMergingMode::kStrict},
98 });
99}
100
101static std::optional<ENTupleMergeErrBehavior> ParseOptionErrBehavior(const TString &opts)
102{
103 return ParseStringOption<ENTupleMergeErrBehavior>(opts, "rntuple.ErrBehavior=",
104 {
105 {"Abort", ENTupleMergeErrBehavior::kAbort},
106 {"Skip", ENTupleMergeErrBehavior::kSkip},
107 });
108}
109
110static std::optional<ENTupleMergeVersionBehavior> ParseOptionVersionBehavior(const TString &opts)
111{
113 opts, "rntuple.VersionBehavior=",
114 {
115 {"WarnOnHigherVersion", ENTupleMergeVersionBehavior::kWarnOnHigherVersion},
116 {"AbortOnHigherVersion", ENTupleMergeVersionBehavior::kAbortOnHigherVersion},
117 });
118}
119// -------------------------------------------------------------------------------------
120
121// Entry point for TFileMerger. Internally calls RNTupleMerger::Merge().
123// IMPORTANT: this function must not throw, as it is used in exception-unsafe code (TFileMerger).
124try {
125 // Check the inputs
126 if (!inputs || inputs->GetEntries() < 3 || !mergeInfo) {
127 R__LOG_ERROR(NTupleMergeLog()) << "Invalid inputs.";
128 return -1;
129 }
130
131 // Parse the input parameters
133
134 // First entry is the RNTuple name
135 std::string ntupleName = std::string(itr()->GetName());
136
137 // Second entry is the output file
138 TObject *secondArg = itr();
139 TFile *outFile = dynamic_cast<TFile *>(secondArg);
140 if (!outFile) {
141 R__LOG_ERROR(NTupleMergeLog()) << "Second input parameter should be a TFile, but it's a "
142 << secondArg->ClassName() << ".";
143 return -1;
144 }
145
146 // Check if the output file already has a key with that name
147 TKey *outKey = outFile->FindKey(ntupleName.c_str());
148 ROOT::RNTuple *outNTuple = nullptr;
149 if (outKey) {
150 outNTuple = outKey->ReadObject<ROOT::RNTuple>();
151 if (!outNTuple) {
152 R__LOG_ERROR(NTupleMergeLog()) << "Output file already has key, but not of type RNTuple!";
153 return -1;
154 }
155 // In principle, we should already be working on the RNTuple object from the output file, but just continue with
156 // pointer we just got.
157 }
158
159 const bool defaultComp = mergeInfo->fOptions.Contains("DefaultCompression");
160 const bool firstSrcComp = mergeInfo->fOptions.Contains("FirstSrcCompression");
161 const bool extraVerbose = mergeInfo->fOptions.Contains("rntuple.ExtraVerbose");
162 if (defaultComp && firstSrcComp) {
163 // this should never happen through hadd, but a user may call RNTuple::Merge() from custom code.
164 R__LOG_WARNING(NTupleMergeLog()) << "Passed both options \"DefaultCompression\" and \"FirstSrcCompression\": "
165 "only the latter will apply.";
166 }
167 std::optional<std::uint32_t> compression;
168 if (firstSrcComp) {
169 // user passed -ff or -fk: use the same compression as the first RNTuple we find in the sources.
170 // (do nothing here, the compression will be fetched below)
171 } else if (!defaultComp) {
172 // compression was explicitly passed by the user: use it.
173 compression = outFile->GetCompressionSettings();
174 } else {
175 // user passed no compression-related options: use default
177 R__LOG_INFO(NTupleMergeLog()) << "Using the default compression: " << *compression;
178 }
179
180 // The remaining entries are the input files
181 std::vector<std::unique_ptr<RPageSourceFile>> sources;
182 std::vector<RPageSource *> sourcePtrs;
183
184 while (const auto &pitr = itr()) {
185 TFile *inFile = dynamic_cast<TFile *>(pitr);
186 ROOT::RNTuple *anchor = inFile ? inFile->Get<ROOT::RNTuple>(ntupleName.c_str()) : nullptr;
187 if (!anchor) {
188 R__LOG_INFO(NTupleMergeLog()) << "No RNTuple anchor named '" << ntupleName << "' from file '"
189 << inFile->GetName() << "'";
190 continue;
191 }
192
194 if (!compression) {
195 // Get the compression of this RNTuple and use it as the output compression.
196 // We currently assume all column ranges have the same compression, so we just peek at the first one.
197 source->Attach(RNTupleSerializer::EDescriptorDeserializeMode::kRaw);
198 auto descriptor = source->GetSharedDescriptorGuard();
199 auto clusterIter = descriptor->GetClusterIterable();
201 if (firstCluster == clusterIter.end()) {
203 << "Asked to use the first source's compression as the output compression, but the "
204 "first source (file '"
205 << inFile->GetName()
206 << "') has an empty RNTuple, therefore the output compression could not be "
207 "determined.";
208 return -1;
209 }
210 auto colRangeIter = (*firstCluster).GetColumnRangeIterable();
212 if (firstColRange == colRangeIter.end()) {
214 << "Asked to use the first source's compression as the output compression, but the "
215 "first source (file '"
216 << inFile->GetName()
217 << "') has an empty RNTuple, therefore the output compression could not be "
218 "determined.";
219 return -1;
220 }
221 compression = (*firstColRange).GetCompressionSettings().value();
222 R__LOG_INFO(NTupleMergeLog()) << "Using the first RNTuple's compression: " << *compression;
223 }
224 sources.push_back(std::move(source));
225 }
226
229 writeOpts.SetCompression(*compression);
230 auto destination = std::make_unique<ROOT::Internal::RPageSinkFile>(ntupleName, *outFile, writeOpts);
231 std::unique_ptr<ROOT::RNTupleModel> model;
232 // If we already have an existing RNTuple, copy over its descriptor to support incremental merging
233 if (outNTuple) {
235 outSource->Attach(RNTupleSerializer::EDescriptorDeserializeMode::kForWriting);
236 auto desc = outSource->GetSharedDescriptorGuard();
237 model = destination->InitFromDescriptor(desc.GetRef(), true /* copyClusters */);
238 }
239
240 // Interface conversion
241 sourcePtrs.reserve(sources.size());
242 for (const auto &s : sources) {
243 sourcePtrs.push_back(s.get());
244 }
245
246 // Now merge
247 RNTupleMerger merger{std::move(destination), std::move(model)};
249 mergerOpts.fCompressionSettings = *compression;
250 mergerOpts.fExtraVerbose = extraVerbose;
251 if (auto mergingMode = ParseOptionMergingMode(mergeInfo->fOptions)) {
252 mergerOpts.fMergingMode = *mergingMode;
253 }
254 if (auto errBehavior = ParseOptionErrBehavior(mergeInfo->fOptions)) {
255 mergerOpts.fErrBehavior = *errBehavior;
256 }
258 mergerOpts.fVersionBehavior = *versionBehavior;
259 }
260 merger.Merge(sourcePtrs, mergerOpts).ThrowOnError();
261
262 // Provide the caller with a merged anchor object (even though we've already
263 // written it).
264 *this = *outFile->Get<ROOT::RNTuple>(ntupleName.c_str());
265
266 return 0;
267} catch (const std::exception &ex) {
268 R__LOG_ERROR(NTupleMergeLog()) << "Exception thrown while merging: " << ex.what();
269 return -1;
270}
271
272namespace {
273// Functor used to change the compression of a page to `options.fCompressionSettings`.
274struct RChangeCompressionFunc {
275 const RColumnElementBase &fSrcColElement;
276 const RColumnElementBase &fDstColElement;
277 const RNTupleMergeOptions &fMergeOptions;
278
279 RPageStorage::RSealedPage &fSealedPage;
281 std::uint8_t *fBuffer;
282 std::size_t fBufSize;
283 const ROOT::RNTupleWriteOptions &fWriteOpts;
284
285 void operator()() const
286 {
287 assert(fSrcColElement.GetIdentifier() == fDstColElement.GetIdentifier());
288
290
291 const auto bytesPacked = fSrcColElement.GetPackedSize(fSealedPage.GetNElements());
292 // TODO: this buffer could be kept and reused across pages
295 unzipBuf.get());
296
297 const auto checksumSize = fWriteOpts.GetEnablePageChecksums() * sizeof(std::uint64_t);
298 assert(fBufSize >= bytesPacked + checksumSize);
300 fMergeOptions.fCompressionSettings.value(), fBuffer);
301
302 fSealedPage = {fBuffer, nBytesZipped + checksumSize, fSealedPage.GetNElements(), fSealedPage.GetHasChecksum()};
303 fSealedPage.ChecksumIfEnabled();
304 }
305};
306
307struct RResealFunc {
308 const RColumnElementBase &fSrcColElement;
309 const RColumnElementBase &fDstColElement;
310 const RNTupleMergeOptions &fMergeOptions;
311
312 RPageStorage::RSealedPage &fSealedPage;
314 std::uint8_t *fBuffer;
315 std::size_t fBufSize;
316 const ROOT::RNTupleWriteOptions &fWriteOpts;
317
318 void operator()() const
319 {
320 auto page = RPageSource::UnsealPage(fSealedPage, fSrcColElement, fPageAlloc).Unwrap();
322 sealConf.fElement = &fDstColElement;
323 sealConf.fPage = &page;
324 sealConf.fBuffer = fBuffer;
325 sealConf.fCompressionSettings = *fMergeOptions.fCompressionSettings;
326 sealConf.fWriteChecksum = fWriteOpts.GetEnablePageChecksums();
327 assert(fBufSize >= fSealedPage.GetDataSize() + fSealedPage.GetHasChecksum() * sizeof(std::uint64_t));
328 auto refSealedPage = RPageSink::SealPage(sealConf);
329 fSealedPage = refSealedPage;
330 }
331};
332
333struct RTaskVisitor {
334 std::optional<ROOT::Experimental::TTaskGroup> &fGroup;
335
336 template <typename T>
337 void operator()(T &&f)
338 {
339 if (fGroup)
340 fGroup->Run(f);
341 else
342 f();
343 }
344};
345
346struct RCommonField {
347 const ROOT::RFieldDescriptor *fSrc;
348 const ROOT::RFieldDescriptor *fDst;
349
350 RCommonField(const ROOT::RFieldDescriptor &src, const ROOT::RFieldDescriptor &dst) : fSrc(&src), fDst(&dst) {}
351};
352
353struct RDescriptorsComparison {
354 std::vector<const ROOT::RFieldDescriptor *> fExtraDstFields;
355 std::vector<const ROOT::RFieldDescriptor *> fExtraSrcFields;
356 std::vector<RCommonField> fCommonFields;
357};
358
359struct RColumnOutInfo {
360 ROOT::DescriptorId_t fColumnId;
361 ENTupleColumnType fColumnType;
362};
363
364// { fully.qualified.fieldName.colInputId => colOutputInfo }
365using ColumnIdMap_t = std::unordered_map<std::string, RColumnOutInfo>;
366
367struct RColumnInfoGroup {
368 std::vector<RColumnMergeInfo> fExtraDstColumns;
369 // These are sorted by InputId
370 std::vector<RColumnMergeInfo> fCommonColumns;
371};
372
373} // namespace
374
375// These structs cannot be in the anon namespace becase they're used in RNTupleMerger's private interface.
378 // This column name is built as a dot-separated concatenation of the ancestry of
379 // the columns' parent fields' names plus the index of the column itself.
380 // e.g. "Muon.pt.x._0"
381 std::string fColumnName;
382 // The column id in the source RNTuple
384 // The corresponding column id in the destination RNTuple (the mapping happens in AddColumnsFromField())
387 // If nullopt, use the default in-memory type
388 std::optional<std::type_index> fInMemoryType;
391};
392
393// Data related to a single call of RNTupleMerger::Merge()
411
413 // We use a std::deque so that references to the contained SealedPageSequence_t, and its iterators, are
414 // never invalidated.
415 std::deque<RPageStorage::SealedPageSequence_t> fPagesV;
416 std::vector<RPageStorage::RSealedPageGroup> fGroups;
417 std::vector<std::unique_ptr<std::uint8_t[]>> fBuffers;
418};
419
420std::ostream &operator<<(std::ostream &os, const std::optional<ROOT::RColumnDescriptor::RValueRange> &x)
421{
422 if (x) {
423 os << '(' << x->fMin << ", " << x->fMax << ')';
424 } else {
425 os << "(null)";
426 }
427 return os;
428}
429
430} // namespace ROOT::Experimental::Internal
431
433{
434 // clang-format off
455 // clang-format on
456 return false;
457}
458
459/// Compares the top level fields of `dst` and `src` and determines whether they can be merged or not.
460/// In addition, returns the differences between `dst` and `src`'s structures
463{
464 // Cases:
465 // 1. dst == src
466 // 2. dst has fields that src hasn't
467 // 3. src has fields that dst hasn't
468 // 4. dst and src have fields that differ (compatible or incompatible)
469
470 std::vector<std::string> errors;
471 RDescriptorsComparison res;
472
473 std::vector<RCommonField> commonFields;
474
475 for (const auto &dstField : dst.GetTopLevelFields()) {
476 const auto srcFieldId = src.FindFieldId(dstField.GetFieldName());
478 const auto &srcField = src.GetFieldDescriptor(srcFieldId);
479 commonFields.push_back({srcField, dstField});
480 } else {
481 res.fExtraDstFields.emplace_back(&dstField);
482 }
483 }
484 for (const auto &srcField : src.GetTopLevelFields()) {
485 const auto dstFieldId = dst.FindFieldId(srcField.GetFieldName());
487 res.fExtraSrcFields.push_back(&srcField);
488 }
489
490 // Check compatibility of common fields
492 // NOTE: using index-based for loop because the collection may get extended by the iteration
493 for (std::size_t fieldIdx = 0; fieldIdx < fieldsToCheck.size(); ++fieldIdx) {
494 const auto &field = fieldsToCheck[fieldIdx];
495
496 // NOTE: field.fSrc and field.fDst have the same name by construction
497 const auto &fieldName = field.fSrc->GetFieldName();
498
499 // Require that fields are both projected or both not projected
500 bool projCompatible = field.fSrc->IsProjectedField() == field.fDst->IsProjectedField();
501 if (!projCompatible) {
502 std::stringstream ss;
503 ss << "Field `" << fieldName << "` is incompatible with previously-seen field with that name because the "
504 << (field.fSrc->IsProjectedField() ? "new" : "old") << " one is projected and the other isn't";
505 errors.push_back(ss.str());
506 } else if (field.fSrc->IsProjectedField()) {
507 // if both fields are projected, verify that they point to the same real field
508 const auto srcName = src.GetQualifiedFieldName(field.fSrc->GetProjectionSourceId());
509 const auto dstName = dst.GetQualifiedFieldName(field.fDst->GetProjectionSourceId());
510 if (srcName != dstName) {
511 std::stringstream ss;
512 ss << "Field `" << fieldName
513 << "` is projected to a different field than a previously-seen field with the same name (old: "
514 << dstName << ", new: " << srcName << ")";
515 errors.push_back(ss.str());
516 }
517 }
518
519 // Require that fields types match
520 // TODO(gparolini): allow non-identical but compatible types
521 const auto &srcTyName = field.fSrc->GetTypeName();
522 const auto &dstTyName = field.fDst->GetTypeName();
523 if (srcTyName != dstTyName) {
524 std::stringstream ss;
525 ss << "Field `" << fieldName
526 << "` has a type incompatible with a previously-seen field with the same name: (old: " << dstTyName
527 << ", new: " << srcTyName << ")";
528 errors.push_back(ss.str());
529 }
530
531 // Require that type checksums match
532 const auto srcTyChk = field.fSrc->GetTypeChecksum();
533 const auto dstTyChk = field.fDst->GetTypeChecksum();
534 if (srcTyChk && dstTyChk && *srcTyChk != *dstTyChk) {
535 std::stringstream ss;
536 ss << "Field `" << field.fSrc->GetFieldName()
537 << "` has a different type checksum than previously-seen field with the same name";
538 errors.push_back(ss.str());
539 }
540
541 // Require that type versions match
542 const auto srcTyVer = field.fSrc->GetTypeVersion();
543 const auto dstTyVer = field.fDst->GetTypeVersion();
544 if (srcTyVer != dstTyVer) {
545 std::stringstream ss;
546 ss << "Field `" << field.fSrc->GetFieldName()
547 << "` has a different type version than previously-seen field with the same name (old: " << dstTyVer
548 << ", new: " << srcTyVer << ")";
549 errors.push_back(ss.str());
550 }
551
552 // Require that field versions match
553 const auto srcFldVer = field.fSrc->GetFieldVersion();
554 const auto dstFldVer = field.fDst->GetFieldVersion();
555 if (srcFldVer != dstFldVer) {
556 std::stringstream ss;
557 ss << "Field `" << field.fSrc->GetFieldName()
558 << "` has a different field version than previously-seen field with the same name (old: " << dstFldVer
559 << ", new: " << srcFldVer << ")";
560 errors.push_back(ss.str());
561 }
562
563 const auto srcRole = field.fSrc->GetStructure();
564 const auto dstRole = field.fDst->GetStructure();
565 if (srcRole != dstRole) {
566 std::stringstream ss;
567 ss << "Field `" << field.fSrc->GetFieldName()
568 << "` has a different structural role than previously-seen field with the same name (old: " << dstRole
569 << ", new: " << srcRole << ")";
570 errors.push_back(ss.str());
571 }
572
573 // Require that column representations match
574 const auto srcNCols = field.fSrc->GetLogicalColumnIds().size();
575 const auto dstNCols = field.fDst->GetLogicalColumnIds().size();
576 if (srcNCols != dstNCols) {
577 std::stringstream ss;
578 ss << "Field `" << field.fSrc->GetFieldName()
579 << "` has a different number of columns than previously-seen field with the same name (old: " << dstNCols
580 << ", new: " << srcNCols << ")";
581 errors.push_back(ss.str());
582 } else {
583 for (auto i = 0u; i < srcNCols; ++i) {
584 const auto srcColId = field.fSrc->GetLogicalColumnIds()[i];
585 const auto dstColId = field.fDst->GetLogicalColumnIds()[i];
586 const auto &srcCol = src.GetColumnDescriptor(srcColId);
587 const auto &dstCol = dst.GetColumnDescriptor(dstColId);
588 // TODO(gparolini): currently we refuse to merge columns of different types unless they are Split/non-Split
589 // version of the same type, because we know how to treat that specific case. We should also properly handle
590 // different but compatible types.
591 if (srcCol.GetType() != dstCol.GetType() &&
592 !IsSplitOrUnsplitVersionOf(srcCol.GetType(), dstCol.GetType())) {
593 std::stringstream ss;
594 ss << i << "-th column of field `" << field.fSrc->GetFieldName()
595 << "` has a different column type of the same column on the previously-seen field with the same name "
596 "(old: "
598 << ", new: " << RColumnElementBase::GetColumnTypeName(dstCol.GetType()) << ")";
599 errors.push_back(ss.str());
600 }
601 if (srcCol.GetBitsOnStorage() != dstCol.GetBitsOnStorage()) {
602 std::stringstream ss;
603 ss << i << "-th column of field `" << field.fSrc->GetFieldName()
604 << "` has a different number of bits of the same column on the previously-seen field with the same "
605 "name "
606 "(old: "
607 << srcCol.GetBitsOnStorage() << ", new: " << dstCol.GetBitsOnStorage() << ")";
608 errors.push_back(ss.str());
609 }
610 if (srcCol.GetValueRange() != dstCol.GetValueRange()) {
611 std::stringstream ss;
612 ss << i << "-th column of field `" << field.fSrc->GetFieldName()
613 << "` has a different value range of the same column on the previously-seen field with the same name "
614 "(old: "
615 << srcCol.GetValueRange() << ", new: " << dstCol.GetValueRange() << ")";
616 errors.push_back(ss.str());
617 }
618 if (srcCol.GetRepresentationIndex() > 0) {
619 std::stringstream ss;
620 ss << i << "-th column of field `" << field.fSrc->GetFieldName()
621 << "` has a representation index higher than 0. This is not supported yet by the merger.";
622 errors.push_back(ss.str());
623 }
624 }
625 }
626
627 // Require that subfields are compatible
628 const auto &srcLinks = field.fSrc->GetLinkIds();
629 const auto &dstLinks = field.fDst->GetLinkIds();
630 if (srcLinks.size() != dstLinks.size()) {
631 std::stringstream ss;
632 ss << "Field `" << field.fSrc->GetFieldName()
633 << "` has a different number of children than previously-seen field with the same name (old: "
634 << dstLinks.size() << ", new: " << srcLinks.size() << ")";
635 errors.push_back(ss.str());
636 } else {
637 for (std::size_t linkIdx = 0, linkNum = srcLinks.size(); linkIdx < linkNum; ++linkIdx) {
638 const auto &srcSubfield = src.GetFieldDescriptor(srcLinks[linkIdx]);
639 const auto &dstSubfield = dst.GetFieldDescriptor(dstLinks[linkIdx]);
640 fieldsToCheck.push_back(RCommonField{srcSubfield, dstSubfield});
641 }
642 }
643 }
644
645 std::string errMsg;
646 for (const auto &err : errors)
647 errMsg += std::string("\n * ") + err;
648
649 if (!errMsg.empty())
650 errMsg = errMsg.substr(1); // strip initial newline
651
652 if (errMsg.length())
653 return R__FAIL(errMsg);
654
655 res.fCommonFields = std::move(commonFields);
656
657 return ROOT::RResult(res);
658}
659
660// Applies late model extension to `destination`, adding all `newFields` to it.
661[[nodiscard]]
663ExtendDestinationModel(std::span<const ROOT::RFieldDescriptor *> newFields, ROOT::RNTupleModel &dstModel,
664 RNTupleMergeData &mergeData, std::vector<RCommonField> &commonFields)
665{
666 assert(newFields.size() > 0); // no point in calling this with 0 new cols
667
668 dstModel.Unfreeze();
670
671 if (mergeData.fMergeOpts.fExtraVerbose) {
672 std::string msg = "destination doesn't contain field";
673 if (newFields.size() > 1)
674 msg += 's';
675 msg += ' ';
676 msg += std::accumulate(newFields.begin(), newFields.end(), std::string{}, [](const auto &acc, const auto *field) {
677 return acc + (acc.length() ? ", " : "") + '`' + field->GetFieldName() + '`';
678 });
679 R__LOG_INFO(NTupleMergeLog()) << msg << ": adding " << (newFields.size() > 1 ? "them" : "it")
680 << " to the destination model (entry #" << mergeData.fNumDstEntries << ").";
681 }
682
683 changeset.fAddedFields.reserve(newFields.size());
684 // First add all non-projected fields...
685 for (const auto *fieldDesc : newFields) {
686 if (!fieldDesc->IsProjectedField()) {
687 auto field = fieldDesc->CreateField(*mergeData.fSrcDescriptor);
688 changeset.AddField(std::move(field));
689 }
690 }
691 // ...then add all projected fields.
692 for (const auto *fieldDesc : newFields) {
693 if (!fieldDesc->IsProjectedField())
694 continue;
695
697 auto field = fieldDesc->CreateField(*mergeData.fSrcDescriptor);
698 const auto sourceId = fieldDesc->GetProjectionSourceId();
699 const auto &sourceField = dstModel.GetConstField(mergeData.fSrcDescriptor->GetQualifiedFieldName(sourceId));
700 fieldMap[field.get()] = &sourceField;
701
702 for (const auto &subfield : *field) {
703 const auto &subFieldDesc = mergeData.fSrcDescriptor->GetFieldDescriptor(subfield.GetOnDiskId());
704 const auto subSourceId = subFieldDesc.GetProjectionSourceId();
705 const auto &subSourceField =
706 dstModel.GetConstField(mergeData.fSrcDescriptor->GetQualifiedFieldName(subSourceId));
708 }
709 changeset.fAddedProjectedFields.emplace_back(field.get());
711 }
712 dstModel.Freeze();
713 try {
714 mergeData.fDestination.UpdateSchema(changeset, mergeData.fNumDstEntries);
715 } catch (const ROOT::RException &ex) {
716 return R__FAIL(ex.GetError().GetReport());
717 }
718
719 commonFields.reserve(commonFields.size() + newFields.size());
720 for (const auto *field : newFields) {
721 const auto newFieldInDstId = mergeData.fDstDescriptor.FindFieldId(field->GetFieldName());
722 const auto &newFieldInDst = mergeData.fDstDescriptor.GetFieldDescriptor(newFieldInDstId);
723 commonFields.emplace_back(*field, newFieldInDst);
724 }
725
727}
728
729// Generates default (zero) values for the given columns
730[[nodiscard]]
732GenerateZeroPagesForColumns(size_t nEntriesToGenerate, std::span<const RColumnMergeInfo> columns,
735{
738
739 for (const auto &column : columns) {
740 const ROOT::RFieldDescriptor *field = column.fParentFieldDescriptor;
741
742 // Skip all auxiliary columns
743 assert(!field->GetLogicalColumnIds().empty());
744 if (field->GetLogicalColumnIds()[0] != column.fInputId)
745 continue;
746
747 // Check if this column is a child of a Collection or a Variant. If so, it has no data
748 // and can be skipped.
749 bool skipColumn = false;
750 auto nRepetitions = std::max<std::uint64_t>(field->GetNRepetitions(), 1);
751 for (auto parentId = field->GetParentId(); parentId != ROOT::kInvalidDescriptorId;) {
752 const ROOT::RFieldDescriptor &parent = column.fParentNTupleDescriptor->GetFieldDescriptor(parentId);
755 skipColumn = true;
756 break;
757 }
758 nRepetitions *= std::max<std::uint64_t>(parent.GetNRepetitions(), 1);
759 parentId = parent.GetParentId();
760 }
761 if (skipColumn)
762 continue;
763
764 const auto structure = field->GetStructure();
765
766 if (structure == ROOT::ENTupleStructure::kStreamer) {
767 return R__FAIL(
768 "Destination RNTuple contains a streamer field (" + field->GetFieldName() +
769 ") that is not present in one of the sources. "
770 "Creating a default value for a streamer field is ill-defined, therefore the merging process will abort.");
771 }
772
773 // NOTE: we cannot have a Record here because it has no associated columns.
775 structure == ROOT::ENTupleStructure::kPlain);
776
777 const auto &columnDesc = dstDescriptor.GetColumnDescriptor(column.fOutputId);
778 const auto colElement = RColumnElementBase::Generate(columnDesc.GetType());
780 const auto nBytesOnStorage = colElement->GetPackedSize(nElements);
781 // TODO(gparolini): make this configurable
782 constexpr auto kPageSizeLimit = 256 * 1024;
783 // TODO(gparolini): consider coalescing the last page if its size is less than some threshold
785 for (size_t i = 0; i < nPages; ++i) {
786 const auto pageSize = (i < nPages - 1) ? kPageSizeLimit : nBytesOnStorage - kPageSizeLimit * (nPages - 1);
788 const auto bufSize = pageSize + checksumSize;
789 assert(pageSize % colElement->GetSize() == 0);
790 const auto nElementsPerPage = pageSize / colElement->GetSize();
791 auto page = pageAlloc.NewPage(colElement->GetSize(), nElementsPerPage);
792 page.GrowUnchecked(nElementsPerPage);
793 memset(page.GetBuffer(), 0, page.GetNBytes());
794
795 auto &buffer = sealedPageData.fBuffers.emplace_back(new unsigned char[bufSize]);
797 sealConf.fElement = colElement.get();
798 sealConf.fPage = &page;
799 sealConf.fBuffer = buffer.get();
800 sealConf.fCompressionSettings = mergeData.fMergeOpts.fCompressionSettings.value();
801 sealConf.fWriteChecksum = mergeData.fDestination.GetWriteOptions().GetEnablePageChecksums();
803
804 sealedPageData.fPagesV.push_back({sealedPage});
805 sealedPageData.fGroups.emplace_back(column.fOutputId, sealedPageData.fPagesV.back().cbegin(),
806 sealedPageData.fPagesV.back().cend());
807 }
808 }
810}
811
812// Merges all columns appearing both in the source and destination RNTuples, just copying them if their
813// compression matches ("fast merge") or by unsealing and resealing them with the proper compression.
817 std::span<const RColumnMergeInfo> commonColumns,
821{
826
827 const RCluster *cluster = clusterPool.GetCluster(clusterDesc.GetId(), commonColumnSet);
828 // we expect the cluster pool to contain the requested set of columns, since they were
829 // validated by CompareDescriptorStructure().
831
832 for (size_t colIdx = 0; colIdx < nCommonColumnsInCluster; ++colIdx) {
833 const auto &column = commonColumns[colIdx];
834 const auto &columnId = column.fInputId;
835 R__ASSERT(clusterDesc.ContainsColumn(columnId));
836
837 const auto &columnDesc = mergeData.fSrcDescriptor->GetColumnDescriptor(columnId);
838 const auto srcColElement = column.fInMemoryType
839 ? ROOT::Internal::GenerateColumnElement(*column.fInMemoryType, columnDesc.GetType())
841 const auto dstColElement = column.fInMemoryType
842 ? ROOT::Internal::GenerateColumnElement(*column.fInMemoryType, column.fColumnType)
843 : RColumnElementBase::Generate(column.fColumnType);
844
845 // Now get the pages for this column in this cluster
846 const auto &pages = clusterDesc.GetPageRange(columnId);
847
849 sealedPages.resize(pages.GetPageInfos().size());
850
851 // Each column range potentially has a distinct compression settings
852 const auto colRangeCompressionSettings = clusterDesc.GetColumnRange(columnId).GetCompressionSettings().value();
853
854 // Select "merging level". There are 3 levels, from fastest to slowest, depending on the case:
855 // L1: compression and encoding of src and dest both match: we can simply copy the page
856 // L2: compression of dest doesn't match the src but encoding does: we must recompress the page but can avoid
857 // resealing it.
858 // L3: on-disk encoding doesn't match: we need to reseal the page, which implies decompressing and recompressing
859 // it.
860 const bool compressionIsDifferent =
861 colRangeCompressionSettings != mergeData.fMergeOpts.fCompressionSettings.value();
862 const bool needsResealing =
863 srcColElement->GetIdentifier().fOnDiskType != dstColElement->GetIdentifier().fOnDiskType;
865
866 if (needsRecompressing && mergeData.fMergeOpts.fExtraVerbose) {
868 << (needsResealing ? "Resealing" : "Recompressing") << " column " << column.fColumnName
869 << ": { compression: " << colRangeCompressionSettings << " => "
870 << mergeData.fMergeOpts.fCompressionSettings.value()
871 << ", onDiskType: " << RColumnElementBase::GetColumnTypeName(srcColElement->GetIdentifier().fOnDiskType)
872 << " => " << RColumnElementBase::GetColumnTypeName(dstColElement->GetIdentifier().fOnDiskType);
873 }
874
875 size_t pageBufferBaseIdx = sealedPageData.fBuffers.size();
876 // If the column range already has the right compression we don't need to allocate any new buffer, so we don't
877 // bother reserving memory for them.
879 sealedPageData.fBuffers.resize(sealedPageData.fBuffers.size() + pages.GetPageInfos().size());
880
881 // If this column is deferred, we may need to fill "holes" until its real start. We fill any missing entry
882 // with zeroes, like we do for extraDstColumns.
883 // As an optimization, we don't do this for the first source (since we can rely on the FirstElementIndex and
884 // deferred column mechanism in that case).
885 // TODO: also avoid doing this if we added no real page of this column to the destination yet.
886 if (columnDesc.GetFirstElementIndex() > clusterDesc.GetFirstEntryIndex() && mergeData.fNumDstEntries > 0) {
887 const auto nMissingEntries = columnDesc.GetFirstElementIndex() - clusterDesc.GetFirstEntryIndex();
889 mergeData.fDstDescriptor, mergeData);
890 if (!res)
891 return R__FORWARD_ERROR(res);
892 }
893
894 // Loop over the pages
895 std::uint64_t pageIdx = 0;
896 for (const auto &pageInfo : pages.GetPageInfos()) {
897 assert(pageIdx < sealedPages.size());
898 assert(sealedPageData.fBuffers.size() == 0 || pageIdx < sealedPageData.fBuffers.size());
899 assert(pageInfo.GetLocator().GetType() != RNTupleLocator::kTypePageZero);
900
902 auto onDiskPage = cluster->GetOnDiskPage(key);
903
904 const auto checksumSize = pageInfo.HasChecksum() * RPageStorage::kNBytesPageChecksum;
906 sealedPage.SetNElements(pageInfo.GetNElements());
907 sealedPage.SetHasChecksum(pageInfo.HasChecksum());
908 sealedPage.SetBufferSize(pageInfo.GetLocator().GetNBytesOnStorage() + checksumSize);
909 sealedPage.SetBuffer(onDiskPage->GetAddress());
910 // TODO(gparolini): more graceful error handling (skip the page?)
911 sealedPage.VerifyChecksumIfEnabled().ThrowOnError();
912 R__ASSERT(onDiskPage && (onDiskPage->GetSize() == sealedPage.GetBufferSize()));
913
914 if (needsRecompressing) {
915 const auto uncompressedSize = srcColElement->GetSize() * sealedPage.GetNElements();
916 auto &buffer = sealedPageData.fBuffers[pageBufferBaseIdx + pageIdx];
918 // NOTE: we currently allocate the max possible size for this buffer and don't shrink it afterward.
919 // We might want to introduce an option that trades speed for memory usage and shrink the buffer to fit
920 // the actual data size after recompressing.
922
923 // clang-format off
924 if (needsResealing) {
925 RTaskVisitor{fTaskGroup}(RResealFunc{
928 mergeData.fMergeOpts,
930 *fPageAlloc,
931 buffer.get(),
932 bufSize,
933 mergeData.fDestination.GetWriteOptions()
934 });
935 } else {
936 RTaskVisitor{fTaskGroup}(RChangeCompressionFunc{
939 mergeData.fMergeOpts,
941 *fPageAlloc,
942 buffer.get(),
943 bufSize,
944 mergeData.fDestination.GetWriteOptions()
945 });
946 }
947 // clang-format on
948 }
949
950 ++pageIdx;
951
952 } // end of loop over pages
953
954 if (fTaskGroup)
955 fTaskGroup->Wait();
956
957 sealedPageData.fPagesV.push_back(std::move(sealedPages));
958 sealedPageData.fGroups.emplace_back(column.fOutputId, sealedPageData.fPagesV.back().cbegin(),
959 sealedPageData.fPagesV.back().cend());
960 } // end loop over common columns
961
963}
964
965// Iterates over all clusters of `source` and merges their pages into `destination`.
966// It is assumed that all columns in `commonColumns` are present (and compatible) in both the source and
967// the destination's schemas.
968// The pages may be "fast-merged" (i.e. simply copied with no decompression/recompression) if the target
969// compression is unspecified or matches the original compression settings.
972 std::span<const RColumnMergeInfo> extraDstColumns, RNTupleMergeData &mergeData)
973{
975
976 std::vector<RColumnMergeInfo> missingColumns{extraDstColumns.begin(), extraDstColumns.end()};
977
978 // Loop over all clusters in this file.
979 // descriptor->GetClusterIterable() doesn't guarantee any specific order, so we explicitly
980 // request the first cluster.
981 ROOT::DescriptorId_t clusterId = mergeData.fSrcDescriptor->FindClusterId(0, 0);
983 const auto &clusterDesc = mergeData.fSrcDescriptor->GetClusterDescriptor(clusterId);
984 const auto nClusterEntries = clusterDesc.GetNEntries();
986
987 // NOTE: just because a column is in `commonColumns` it doesn't mean that each cluster in the source contains it,
988 // as it may be a deferred column that only has real data in a future cluster.
989 // We need to figure out which columns are actually present in this cluster so we only merge their pages (the
990 // missing columns are handled by synthesizing zero pages - see below).
992 while (nCommonColumnsInCluster > 0) {
993 // Since `commonColumns` is sorted by column input id, we can simply traverse it from the back and stop as
994 // soon as we find a common column that appears in this cluster: we know that in that case all previous
995 // columns must appear as well.
996 if (clusterDesc.ContainsColumn(commonColumns[nCommonColumnsInCluster - 1].fInputId))
997 break;
999 }
1000
1001 // Convert columns to a ColumnSet for the ClusterPool query
1004 for (size_t i = 0; i < nCommonColumnsInCluster; ++i)
1005 commonColumnSet.emplace(commonColumns[i].fInputId);
1006
1007 // For each cluster, the "missing columns" are the union of the extraDstColumns and the common columns
1008 // that are not present in the cluster. We generate zero pages for all of them.
1009 missingColumns.resize(extraDstColumns.size());
1010 for (size_t i = nCommonColumnsInCluster; i < commonColumns.size(); ++i)
1011 missingColumns.push_back(commonColumns[i]);
1012
1015 sealedPageData, mergeData, *fPageAlloc);
1016 if (!res)
1017 return R__FORWARD_ERROR(res);
1018
1020 mergeData.fDstDescriptor, mergeData);
1021 if (!res)
1022 return R__FORWARD_ERROR(res);
1023
1024 // Commit the pages and the clusters
1025 mergeData.fDestination.CommitSealedPageV(sealedPageData.fGroups);
1026 mergeData.fDestination.CommitCluster(nClusterEntries);
1027 mergeData.fNumDstEntries += nClusterEntries;
1028
1029 // Go to the next cluster
1030 clusterId = mergeData.fSrcDescriptor->FindNextClusterId(clusterId);
1031 }
1032
1033 // TODO(gparolini): when we get serious about huge file support (>~ 100GB) we might want to check here
1034 // the size of the running page list and commit a cluster group when it exceeds some threshold,
1035 // which would prevent the page list from getting too large.
1036 // However, as of today, we aren't really handling such huge files, and even relatively big ones
1037 // such as the CMS dataset have a page list size of about only 2 MB.
1038 // So currently we simply merge all cluster groups into one.
1040}
1041
1042static std::optional<std::type_index> ColumnInMemoryType(std::string_view fieldType, ENTupleColumnType onDiskType)
1043{
1046 return typeid(ROOT::Internal::RColumnIndex);
1047
1049 return typeid(ROOT::Internal::RColumnSwitch);
1050
1051 // clang-format off
1052 if (fieldType == "bool") return typeid(bool);
1053 if (fieldType == "std::byte") return typeid(std::byte);
1054 if (fieldType == "char") return typeid(char);
1055 if (fieldType == "std::int8_t") return typeid(std::int8_t);
1056 if (fieldType == "std::uint8_t") return typeid(std::uint8_t);
1057 if (fieldType == "std::int16_t") return typeid(std::int16_t);
1058 if (fieldType == "std::uint16_t") return typeid(std::uint16_t);
1059 if (fieldType == "std::int32_t") return typeid(std::int32_t);
1060 if (fieldType == "std::uint32_t") return typeid(std::uint32_t);
1061 if (fieldType == "std::int64_t") return typeid(std::int64_t);
1062 if (fieldType == "std::uint64_t") return typeid(std::uint64_t);
1063 if (fieldType == "float") return typeid(float);
1064 if (fieldType == "double") return typeid(double);
1065 // clang-format on
1066
1067 // if the type is not one of those above, we use the default in-memory type.
1068 return std::nullopt;
1069}
1070
1071// Given a field, fill `columns` and `mergeData.fColumnIdMap` with information about all columns belonging to it and its
1072// subfields. `mergeData.fColumnIdMap` is used to map matching columns from different sources to the same output column
1073// in the destination. We match columns by their "fully qualified name", which is the concatenation of their ancestor
1074// fields' names and the column index. By this point, since we called `CompareDescriptorStructure()` earlier, we should
1075// be guaranteed that two matching columns will have at least compatible representations. NOTE: srcFieldDesc and
1076// dstFieldDesc may alias.
1077static void AddColumnsFromField(std::vector<RColumnMergeInfo> &columns, const ROOT::RNTupleDescriptor &srcDesc,
1079 const ROOT::RFieldDescriptor &dstFieldDesc, const std::string &prefix = "")
1080{
1081 std::string name = prefix + '.' + srcFieldDesc.GetFieldName();
1082
1083 const auto &columnIds = srcFieldDesc.GetLogicalColumnIds();
1084 columns.reserve(columns.size() + columnIds.size());
1085 // NOTE: here we can match the src and dst columns by column index because we forbid merging fields with
1086 // different column representations.
1087 for (auto i = 0u; i < srcFieldDesc.GetLogicalColumnIds().size(); ++i) {
1088 // We don't want to try and merge alias columns
1089 if (srcFieldDesc.IsProjectedField())
1090 continue;
1091
1092 auto srcColumnId = srcFieldDesc.GetLogicalColumnIds()[i];
1093 const auto &srcColumn = srcDesc.GetColumnDescriptor(srcColumnId);
1094
1096 info.fColumnName = name + '.' + std::to_string(srcColumn.GetIndex());
1097 info.fInputId = srcColumn.GetPhysicalId();
1098 // NOTE(gparolini): the parent field is used when synthesizing zero pages, which happens in 2 situations:
1099 // 1. when adding extra dst columns (in which case we need to synthesize zero pages for the incoming src), and
1100 // 2. when merging a deferred column into an existing column (in which case we need to fill the "hole" with
1101 // zeroes). For the first case srcFieldDesc and dstFieldDesc are the same (see the calling site of this function),
1102 // but for the second case they're not, and we need to pick the source field because we will then check the
1103 // column's *input* id inside fParentFieldDescriptor to see if it's a suppressed column (see
1104 // GenerateZeroPagesForColumns()).
1105 info.fParentFieldDescriptor = &srcFieldDesc;
1106 // Save the parent field descriptor since this may be either the source or destination descriptor depending on
1107 // whether this is an extraDstField or a commonField. We will need this in GenerateZeroPagesForColumns() to
1108 // properly walk up the field hierarchy.
1109 info.fParentNTupleDescriptor = &srcDesc;
1110
1111 if (auto it = mergeData.fColumnIdMap.find(info.fColumnName); it != mergeData.fColumnIdMap.end()) {
1112 info.fOutputId = it->second.fColumnId;
1113 info.fColumnType = it->second.fColumnType;
1114 } else {
1115 info.fOutputId = mergeData.fColumnIdMap.size();
1116 // NOTE(gparolini): map the type of src column to the type of dst column.
1117 // This mapping is only relevant for common columns and it's done to ensure we keep a consistent
1118 // on-disk representation of the same column.
1119 // This is also important to do for first source when it is used to generate the destination sink,
1120 // because even in that case their column representations may differ.
1121 // e.g. if the destination has a different compression than the source, an integer column might be
1122 // zigzag-encoded in the source but not in the destination.
1123 auto dstColumnId = dstFieldDesc.GetLogicalColumnIds()[i];
1124 const auto &dstColumn = mergeData.fDstDescriptor.GetColumnDescriptor(dstColumnId);
1125 info.fColumnType = dstColumn.GetType();
1126 mergeData.fColumnIdMap[info.fColumnName] = {info.fOutputId, info.fColumnType};
1127 }
1128
1129 if (mergeData.fMergeOpts.fExtraVerbose) {
1130 R__LOG_INFO(NTupleMergeLog()) << "Adding column " << info.fColumnName << " with log.id " << srcColumnId
1131 << ", phys.id " << srcColumn.GetPhysicalId() << ", type "
1132 << RColumnElementBase::GetColumnTypeName(srcColumn.GetType()) << " -> log.id "
1133 << info.fOutputId << ", type "
1135 }
1136
1137 // Since we disallow merging fields of different types, src and dstFieldDesc must have the same type name.
1138 assert(srcFieldDesc.GetTypeName() == dstFieldDesc.GetTypeName());
1139 info.fInMemoryType = ColumnInMemoryType(srcFieldDesc.GetTypeName(), info.fColumnType);
1140 columns.emplace_back(info);
1141 }
1142
1143 const auto &srcChildrenIds = srcFieldDesc.GetLinkIds();
1144 const auto &dstChildrenIds = dstFieldDesc.GetLinkIds();
1145 assert(srcChildrenIds.size() == dstChildrenIds.size());
1146 for (auto i = 0u; i < srcChildrenIds.size(); ++i) {
1147 const auto &srcChild = srcDesc.GetFieldDescriptor(srcChildrenIds[i]);
1148 const auto &dstChild = mergeData.fDstDescriptor.GetFieldDescriptor(dstChildrenIds[i]);
1150 }
1151}
1152
1153// Converts the fields comparison data to the corresponding column information.
1154// While doing so, it collects such information in `mergeData.fColumnIdMap`, which is used by later calls to this
1155// function to map already-seen column names to their chosen outputId, type and so on.
1156static RColumnInfoGroup GatherColumnInfos(const RDescriptorsComparison &descCmp, const ROOT::RNTupleDescriptor &srcDesc,
1158{
1159 RColumnInfoGroup res;
1160 for (const ROOT::RFieldDescriptor *field : descCmp.fExtraDstFields) {
1161 AddColumnsFromField(res.fExtraDstColumns, mergeData.fDstDescriptor, mergeData, *field, *field);
1162 }
1163 for (const auto &[srcField, dstField] : descCmp.fCommonFields) {
1164 AddColumnsFromField(res.fCommonColumns, srcDesc, mergeData, *srcField, *dstField);
1165 }
1166
1167 // Sort the commonColumns by ID so we can more easily tell how many common columns each cluster has
1168 // (since each cluster must contain all columns of the previous cluster plus potentially some new ones)
1169 std::sort(res.fCommonColumns.begin(), res.fCommonColumns.end(),
1170 [](const auto &a, const auto &b) { return a.fInputId < b.fInputId; });
1171
1172 return res;
1173}
1174
1176 ColumnIdMap_t &colIdMap, const std::string &prefix = "")
1177{
1178 std::string name = prefix + '.' + fieldDesc.GetFieldName();
1179 for (const auto &colId : fieldDesc.GetLogicalColumnIds()) {
1180 const auto &colDesc = desc.GetColumnDescriptor(colId);
1181 RColumnOutInfo info{};
1182 const auto colName = name + '.' + std::to_string(colDesc.GetIndex());
1183 info.fColumnId = colDesc.GetLogicalId();
1184 info.fColumnType = colDesc.GetType();
1186 }
1187
1188 for (const auto &subId : fieldDesc.GetLinkIds()) {
1189 const auto &subfield = desc.GetFieldDescriptor(subId);
1191 }
1192}
1193
1194RNTupleMerger::RNTupleMerger(std::unique_ptr<ROOT::Internal::RPagePersistentSink> destination,
1195 std::unique_ptr<ROOT::RNTupleModel> model)
1196 // TODO(gparolini): consider using an arena allocator instead, since we know the precise lifetime
1197 // of the RNTuples we are going to handle (e.g. we can reset the arena at every source)
1198 : fDestination(std::move(destination)),
1199 fPageAlloc(std::make_unique<ROOT::Internal::RPageAllocatorHeap>()),
1200 fModel(std::move(model))
1201{
1203
1204#ifdef R__USE_IMT
1207#endif
1208}
1209
1210RNTupleMerger::RNTupleMerger(std::unique_ptr<ROOT::Internal::RPagePersistentSink> destination)
1211 : RNTupleMerger(std::move(destination), nullptr)
1212{
1213}
1214
1216{
1218
1220
1221 // Set compression settings if unset and verify it's compatible with the sink
1222 {
1223 const auto dstCompSettings = fDestination->GetWriteOptions().GetCompression();
1224 if (!mergeOpts.fCompressionSettings) {
1225 mergeOpts.fCompressionSettings = dstCompSettings;
1226 } else if (*mergeOpts.fCompressionSettings != dstCompSettings) {
1227 return R__FAIL(std::string("The compression given to RNTupleMergeOptions is different from that of the "
1228 "sink! (opts: ") +
1229 std::to_string(*mergeOpts.fCompressionSettings) + ", sink: " + std::to_string(dstCompSettings) +
1230 ") This is currently unsupported.");
1231 }
1232 }
1233
1234 // we should have a model if and only if the destination is initialized.
1235 if (!!fModel != fDestination->IsInitialized()) {
1236 return R__FAIL(
1237 "passing an already-initialized destination to RNTupleMerger::Merge (i.e. trying to do incremental "
1238 "merging) can only be done by providing a valid ROOT::RNTupleModel when constructing the RNTupleMerger.");
1239 }
1240
1242 mergeData.fNumDstEntries = mergeData.fDestination.GetNEntries();
1243
1244 if (fModel) {
1245 // If this is an incremental merging, pre-fill the column id map with the existing destination ids.
1246 // Otherwise we would generate new output ids that may not match the ones in the destination!
1247 for (const auto &field : mergeData.fDstDescriptor.GetTopLevelFields()) {
1248 PrefillColumnMap(fDestination->GetDescriptor(), field, mergeData.fColumnIdMap);
1249 }
1250 }
1251
1252#define SKIP_OR_ABORT(errMsg) \
1253 do { \
1254 if (mergeOpts.fErrBehavior == ENTupleMergeErrBehavior::kSkip) { \
1255 R__LOG_WARNING(NTupleMergeLog()) << "Skipping RNTuple due to: " << (errMsg); \
1256 continue; \
1257 } else { \
1258 return R__FAIL(errMsg); \
1259 } \
1260 } while (0)
1261
1262 // Merge main loop
1263 for (RPageSource *source : sources) {
1264 // We need to make sure the streamer info from the source files is loaded otherwise we may not be able
1265 // to build the streamer info of user-defined types unless we have their dictionaries available.
1266 source->LoadStreamerInfo();
1267
1268 source->Attach(RNTupleSerializer::EDescriptorDeserializeMode::kForWriting);
1269 auto srcDescriptor = source->GetSharedDescriptorGuard();
1270 mergeData.fSrcDescriptor = &srcDescriptor.GetRef();
1271
1272 if (mergeData.fSrcDescriptor->GetVersion() > ROOT::RNTuple::GetCurrentVersion()) {
1275 << "RNTuple '" << mergeData.fSrcDescriptor->GetName()
1276 << "' has a higher format version than the latest supported by this version "
1277 "of ROOT. Merging will work but some features may be dropped.";
1278 } else {
1279 return R__FAIL("RNTuple '" + mergeData.fSrcDescriptor->GetName() +
1280 "' has a higher format version than the latest supported by this version. Refusing to "
1281 "merge, since RNTupleMergeOptions::fVersionBehavior is set to AbortOnHigherVersion.");
1282 }
1283 }
1284
1285 // Create sink from the input model if not initialized
1286 if (!fModel) {
1287 fModel = fDestination->InitFromDescriptor(srcDescriptor.GetRef(), false /* copyClusters */);
1288 }
1289
1290 for (const auto &extraTypeInfoDesc : srcDescriptor->GetExtraTypeInfoIterable())
1291 fDestination->UpdateExtraTypeInfo(extraTypeInfoDesc);
1292
1293 auto descCmpRes = CompareDescriptorStructure(mergeData.fDstDescriptor, srcDescriptor.GetRef());
1294 if (!descCmpRes) {
1295 SKIP_OR_ABORT(std::string("Source RNTuple has an incompatible schema with the destination:\n") +
1296 descCmpRes.GetError()->GetReport());
1297 }
1298 auto descCmp = descCmpRes.Unwrap();
1299
1300 // If the current source is missing some fields and we're not in Union mode, error
1301 // (if we are in Union mode, MergeSourceClusters will fill the missing fields with default values).
1302 if (mergeOpts.fMergingMode != ENTupleMergingMode::kUnion && !descCmp.fExtraDstFields.empty()) {
1303 std::string msg = "Source RNTuple is missing the following fields:";
1304 for (const auto *field : descCmp.fExtraDstFields) {
1305 msg += "\n " + field->GetFieldName() + " : " + field->GetTypeName();
1306 }
1308 }
1309
1310 // handle extra src fields
1311 if (descCmp.fExtraSrcFields.size()) {
1312 if (mergeOpts.fMergingMode == ENTupleMergingMode::kUnion) {
1313 // late model extension for all fExtraSrcFields in Union mode
1314 auto res = ExtendDestinationModel(descCmp.fExtraSrcFields, *fModel, mergeData, descCmp.fCommonFields);
1315 if (!res)
1316 return R__FORWARD_ERROR(res);
1317 } else if (mergeOpts.fMergingMode == ENTupleMergingMode::kStrict) {
1318 // If the current source has extra fields and we're in Strict mode, error
1319 std::string msg = "Source RNTuple has extra fields that the destination RNTuple doesn't have:";
1320 for (const auto *field : descCmp.fExtraSrcFields) {
1321 msg += "\n " + field->GetFieldName() + " : " + field->GetTypeName();
1322 }
1324 }
1325 }
1326
1327 // handle extra dst fields & common fields
1329 auto res = MergeSourceClusters(*source, columnInfos.fCommonColumns, columnInfos.fExtraDstColumns, mergeData);
1330 if (!res)
1331 return R__FORWARD_ERROR(res);
1332 } // end loop over sources
1333
1334 if (fDestination->GetNEntries() == 0)
1335 R__LOG_WARNING(NTupleMergeLog()) << "Output RNTuple '" << fDestination->GetNTupleName() << "' has no entries.";
1336
1337 // Commit the output
1338 fDestination->CommitClusterGroup();
1339 fDestination->CommitDataset();
1340
1341 return RResult<void>::Success();
1342}
fBuffer
#define R__FORWARD_ERROR(res)
Short-hand to return an RResult<T> in an error state (i.e. after checking)
Definition RError.hxx:304
#define R__FAIL(msg)
Short-hand to return an RResult<T> in an error state; the RError is implicitly converted into RResult...
Definition RError.hxx:300
#define R__LOG_WARNING(...)
Definition RLogger.hxx:358
#define R__LOG_ERROR(...)
Definition RLogger.hxx:357
#define R__LOG_INFO(...)
Definition RLogger.hxx:359
static std::optional< std::type_index > ColumnInMemoryType(std::string_view fieldType, ENTupleColumnType onDiskType)
static ROOT::RResult< RDescriptorsComparison > CompareDescriptorStructure(const ROOT::RNTupleDescriptor &dst, const ROOT::RNTupleDescriptor &src)
Compares the top level fields of dst and src and determines whether they can be merged or not.
static ROOT::RResult< void > GenerateZeroPagesForColumns(size_t nEntriesToGenerate, std::span< const RColumnMergeInfo > columns, RSealedPageMergeData &sealedPageData, ROOT::Internal::RPageAllocator &pageAlloc, const ROOT::RNTupleDescriptor &dstDescriptor, const RNTupleMergeData &mergeData)
static std::optional< ENTupleMergeErrBehavior > ParseOptionErrBehavior(const TString &opts)
static ROOT::RLogChannel & NTupleMergeLog()
#define SKIP_OR_ABORT(errMsg)
static std::optional< T > ParseStringOption(const TString &opts, const char *pattern, std::initializer_list< std::pair< const char *, T > > validValues)
static bool IsSplitOrUnsplitVersionOf(ENTupleColumnType a, ENTupleColumnType b)
static void AddColumnsFromField(std::vector< RColumnMergeInfo > &columns, const ROOT::RNTupleDescriptor &srcDesc, RNTupleMergeData &mergeData, const ROOT::RFieldDescriptor &srcFieldDesc, const ROOT::RFieldDescriptor &dstFieldDesc, const std::string &prefix="")
static std::optional< ENTupleMergingMode > ParseOptionMergingMode(const TString &opts)
static void PrefillColumnMap(const ROOT::RNTupleDescriptor &desc, const ROOT::RFieldDescriptor &fieldDesc, ColumnIdMap_t &colIdMap, const std::string &prefix="")
static RColumnInfoGroup GatherColumnInfos(const RDescriptorsComparison &descCmp, const ROOT::RNTupleDescriptor &srcDesc, RNTupleMergeData &mergeData)
static ROOT::RResult< void > ExtendDestinationModel(std::span< const ROOT::RFieldDescriptor * > newFields, ROOT::RNTupleModel &dstModel, RNTupleMergeData &mergeData, std::vector< RCommonField > &commonFields)
static std::optional< ENTupleMergeVersionBehavior > ParseOptionVersionBehavior(const TString &opts)
static bool BeginsWithDelimitedWord(const TString &str, const char *word)
#define b(i)
Definition RSha256.hxx:100
#define f(i)
Definition RSha256.hxx:104
#define a(i)
Definition RSha256.hxx:99
size_t size(const MatrixT &matrix)
retrieve the size of a square matrix
ROOT::Detail::TRangeCast< T, true > TRangeDynCast
TRangeDynCast is an adapter class that allows the typed iteration through a TCollection.
#define R__ASSERT(e)
Checks condition e and reports a fatal error if it's false.
Definition TError.h:125
Option_t Option_t TPoint TPoint const char GetTextMagnitude GetFillStyle GetLineColor GetLineWidth GetMarkerStyle GetTextAlign GetTextColor GetTextSize void value
Option_t Option_t TPoint TPoint const char GetTextMagnitude GetFillStyle GetLineColor GetLineWidth GetMarkerStyle GetTextAlign GetTextColor GetTextSize void char Point_t Rectangle_t src
char name[80]
Definition TGX11.cxx:110
TRObject operator()(const T1 &t1) const
The available trivial, native content types of a column.
Given a set of RPageSources merge them into an RPagePersistentSink, optionally changing their compres...
ROOT::RResult< void > MergeCommonColumns(ROOT::Internal::RClusterPool &clusterPool, const ROOT::RClusterDescriptor &clusterDesc, std::span< const RColumnMergeInfo > commonColumns, const ROOT::Internal::RCluster::ColumnSet_t &commonColumnSet, std::size_t nCommonColumnsInCluster, RSealedPageMergeData &sealedPageData, const RNTupleMergeData &mergeData, ROOT::Internal::RPageAllocator &pageAlloc)
std::unique_ptr< ROOT::RNTupleModel > fModel
RNTupleMerger(std::unique_ptr< ROOT::Internal::RPagePersistentSink > destination, std::unique_ptr< ROOT::RNTupleModel > model)
Creates a RNTupleMerger with the given destination.
ROOT::RResult< void > MergeSourceClusters(ROOT::Internal::RPageSource &source, std::span< const RColumnMergeInfo > commonColumns, std::span< const RColumnMergeInfo > extraDstColumns, RNTupleMergeData &mergeData)
std::unique_ptr< ROOT::Internal::RPagePersistentSink > fDestination
RResult< void > Merge(std::span< ROOT::Internal::RPageSource * > sources, const RNTupleMergeOptions &mergeOpts=RNTupleMergeOptions())
Merge a given set of sources into the destination.
A class to manage the asynchronous execution of work items.
Managed a set of clusters containing compressed and packed pages.
An in-memory subset of the packed and compressed pages of a cluster.
Definition RCluster.hxx:148
std::unordered_set< ROOT::DescriptorId_t > ColumnSet_t
Definition RCluster.hxx:150
A column element encapsulates the translation between basic C++ types and their column representation...
static const char * GetColumnTypeName(ROOT::ENTupleColumnType type)
static std::unique_ptr< RColumnElementBase > Generate(ROOT::ENTupleColumnType type)
If CppT == void, use the default C++ type for the given column type.
virtual RIdentifier GetIdentifier() const =0
std::size_t GetPackedSize(std::size_t nElements=1U) const
The in-memory representation of a 32bit or 64bit on-disk index column.
Holds the index and the tag of a kSwitch column.
static std::size_t Zip(const void *from, std::size_t nbytes, int compression, void *to)
Returns the size of the compressed data, written into the provided output buffer.
static void Unzip(const void *from, size_t nbytes, size_t dataLen, void *to)
The nbytes parameter provides the size ls of the from buffer.
A helper class for serializing and deserialization of the RNTuple binary format.
Uses standard C++ memory allocation for the column data pages.
Abstract interface to allocate and release pages.
Abstract interface to write data into an ntuple.
RSealedPage SealPage(const ROOT::Internal::RPage &page, const ROOT::Internal::RColumnElementBase &element)
Helper for streaming a page.
Storage provider that reads ntuple pages from a file.
static std::unique_ptr< RPageSourceFile > CreateFromAnchor(const RNTuple &anchor, const ROOT::RNTupleReadOptions &options=ROOT::RNTupleReadOptions())
Used from the RNTuple class to build a datasource if the anchor is already available.
Abstract interface to read data from an ntuple.
Common functionality of an ntuple storage for both reading and writing.
static constexpr std::size_t kNBytesPageChecksum
The page checksum is a 64bit xxhash3.
std::deque< RSealedPage > SealedPageSequence_t
std::unordered_map< const ROOT::RFieldBase *, const ROOT::RFieldBase * > FieldMap_t
The map keys are the projected target fields, the map values are the backing source fields Note that ...
RResult< void > Add(std::unique_ptr< ROOT::RFieldBase > field, const FieldMap_t &fieldMap)
Adds a new projected field.
Metadata for RNTuple clusters.
Base class for all ROOT issued exceptions.
Definition RError.hxx:79
Metadata stored for every field of an RNTuple.
ROOT::ENTupleStructure GetStructure() const
ROOT::DescriptorId_t GetParentId() const
std::uint64_t GetNRepetitions() const
A log configuration for a channel, e.g.
Definition RLogger.hxx:98
The on-storage metadata of an RNTuple.
const RColumnDescriptor & GetColumnDescriptor(ROOT::DescriptorId_t columnId) const
const RFieldDescriptor & GetFieldDescriptor(ROOT::DescriptorId_t fieldId) const
The RNTupleModel encapulates the schema of an RNTuple.
Common user-tunable settings for storing RNTuples.
Representation of an RNTuple data set in a ROOT file.
Definition RNTuple.hxx:68
Long64_t Merge(TCollection *input, TFileMergeInfo *mergeInfo)
RNTuple implements the hadd MergeFile interface Merge this NTuple with the input list entries.
static constexpr std::uint64_t GetCurrentVersion()
Returns the RNTuple version in the following form: Epoch: 2 most significant bytes Major: next 2 byte...
Definition RNTuple.hxx:90
const_iterator begin() const
const_iterator end() const
void ThrowOnError()
Short-hand method to throw an exception in the case of errors.
Definition RError.hxx:290
The class is used as a return type for operations that can fail; wraps a value of type T or an RError...
Definition RError.hxx:198
Collection abstract base class.
Definition TCollection.h:65
A class to pass information from the TFileMerger to the objects being merged.
A ROOT file is an on-disk file, usually with extension .root, that stores objects in a file-system-li...
Definition TFile.h:130
Book space in a file, create I/O buffers, to fill them, (un)compress them.
Definition TKey.h:28
Mother of all ROOT objects.
Definition TObject.h:42
Basic string class.
Definition TString.h:138
@ kIgnoreCase
Definition TString.h:285
Double_t x[n]
Definition legend1.C:17
Double_t ex[n]
Definition legend1.C:17
@ kStrict
The merger will refuse to merge any 2 RNTuples whose schema doesn't match exactly.
@ kUnion
The merger will update the output model to include all columns from all sources.
std::ostream & operator<<(std::ostream &os, const std::optional< ROOT::RColumnDescriptor::RValueRange > &x)
@ kWarnOnHigherVersion
The merger will emit a warning when merging RNTuples with higher version than the latest supported by...
std::unique_ptr< T[]> MakeUninitArray(std::size_t size)
Make an array of default-initialized elements.
RProjectedFields & GetProjectedFieldsOfModel(RNTupleModel &model)
std::unique_ptr< RColumnElementBase > GenerateColumnElement(std::type_index inMemoryType, ROOT::ENTupleColumnType onDiskType)
Bool_t IsImplicitMTEnabled()
Returns true if the implicit multi-threading in ROOT is enabled.
Definition TROOT.cxx:600
std::uint64_t DescriptorId_t
Distriniguishes elements of the same type within a descriptor, e.g. different fields.
std::uint64_t NTupleSize_t
Integer type long enough to hold the maximum number of entries in a column.
constexpr DescriptorId_t kInvalidDescriptorId
ENTupleColumnType
const ROOT::RFieldDescriptor * fParentFieldDescriptor
std::optional< std::type_index > fInMemoryType
const ROOT::RNTupleDescriptor * fParentNTupleDescriptor
const ROOT::RNTupleDescriptor * fSrcDescriptor
RNTupleMergeData(std::span< RPageSource * > sources, RPageSink &destination, const RNTupleMergeOptions &mergeOpts)
const ROOT::RNTupleDescriptor & fDstDescriptor
Set of merging options to pass to RNTupleMerger.
std::optional< std::uint32_t > fCompressionSettings
If fCompressionSettings is empty (the default), the merger will not change the compression of any of ...
std::vector< RPageStorage::RSealedPageGroup > fGroups
std::deque< RPageStorage::SealedPageSequence_t > fPagesV
std::vector< std::unique_ptr< std::uint8_t[]> > fBuffers
The incremental changes to a RNTupleModel
On-disk pages within a page source are identified by the column and page number.
Definition RCluster.hxx:51
Parameters for the SealPage() method.
A sealed page contains the bytes of a page as written to storage (packed & compressed).
RResult< void > VerifyChecksumIfEnabled() const
@ kUseGeneralPurpose
Use the new recommended general-purpose setting; it is a best trade-off between compression ratio/dec...
Definition Compression.h:58