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 <cinttypes> // for PRIu64
39#include <initializer_list>
40#include <unordered_map>
41#include <vector>
42
53
54using namespace ROOT::Experimental::Internal;
55
57{
58 static ROOT::RLogChannel sLog("ROOT.NTuple.Merge");
59 return sLog;
60}
61
62// TFile options parsing
63// -------------------------------------------------------------------------------------
64static bool BeginsWithDelimitedWord(const TString &str, const char *word)
65{
66 const Ssiz_t wordLen = strlen(word);
67 if (str.Length() < wordLen)
68 return false;
69 if (!str.BeginsWith(word, TString::ECaseCompare::kIgnoreCase))
70 return false;
71 return str.Length() == wordLen || str(wordLen) == ' ';
72}
73
74template <typename T>
75static std::optional<T> ParseStringOption(const TString &opts, const char *pattern,
76 std::initializer_list<std::pair<const char *, T>> validValues)
77{
78 const Ssiz_t patternLen = strlen(pattern);
79 assert(pattern[patternLen - 1] == '='); // we want to parse options with the format `option=Value`
80 if (auto idx = opts.Index(pattern, 0, TString::ECaseCompare::kIgnoreCase);
81 idx >= 0 && opts.Length() > idx + patternLen) {
82 auto sub = TString(opts(idx + patternLen, opts.Length() - idx - patternLen));
83 for (const auto &[name, value] : validValues) {
84 if (BeginsWithDelimitedWord(sub, name)) {
85 return value;
86 }
87 }
88 }
89 return std::nullopt;
90}
91
92static std::optional<ENTupleMergingMode> ParseOptionMergingMode(const TString &opts)
93{
94 return ParseStringOption<ENTupleMergingMode>(opts, "rntuple.MergingMode=",
95 {
96 {"Filter", ENTupleMergingMode::kFilter},
97 {"Union", ENTupleMergingMode::kUnion},
98 {"Strict", ENTupleMergingMode::kStrict},
99 });
100}
101
102static std::optional<ENTupleMergeErrBehavior> ParseOptionErrBehavior(const TString &opts)
103{
104 return ParseStringOption<ENTupleMergeErrBehavior>(opts, "rntuple.ErrBehavior=",
105 {
106 {"Abort", ENTupleMergeErrBehavior::kAbort},
107 {"Skip", ENTupleMergeErrBehavior::kSkip},
108 });
109}
110// -------------------------------------------------------------------------------------
111
112// Entry point for TFileMerger. Internally calls RNTupleMerger::Merge().
114// IMPORTANT: this function must not throw, as it is used in exception-unsafe code (TFileMerger).
115try {
116 // Check the inputs
117 if (!inputs || inputs->GetEntries() < 3 || !mergeInfo) {
118 R__LOG_ERROR(NTupleMergeLog()) << "Invalid inputs.";
119 return -1;
120 }
121
122 // Parse the input parameters
124
125 // First entry is the RNTuple name
126 std::string ntupleName = std::string(itr()->GetName());
127
128 // Second entry is the output file
129 TObject *secondArg = itr();
130 TFile *outFile = dynamic_cast<TFile *>(secondArg);
131 if (!outFile) {
132 R__LOG_ERROR(NTupleMergeLog()) << "Second input parameter should be a TFile, but it's a "
133 << secondArg->ClassName() << ".";
134 return -1;
135 }
136
137 // Check if the output file already has a key with that name
138 TKey *outKey = outFile->FindKey(ntupleName.c_str());
139 ROOT::RNTuple *outNTuple = nullptr;
140 if (outKey) {
141 outNTuple = outKey->ReadObject<ROOT::RNTuple>();
142 if (!outNTuple) {
143 R__LOG_ERROR(NTupleMergeLog()) << "Output file already has key, but not of type RNTuple!";
144 return -1;
145 }
146 // In principle, we should already be working on the RNTuple object from the output file, but just continue with
147 // pointer we just got.
148 }
149
150 const bool defaultComp = mergeInfo->fOptions.Contains("DefaultCompression");
151 const bool firstSrcComp = mergeInfo->fOptions.Contains("FirstSrcCompression");
152 const bool extraVerbose = mergeInfo->fOptions.Contains("rntuple.ExtraVerbose");
153 if (defaultComp && firstSrcComp) {
154 // this should never happen through hadd, but a user may call RNTuple::Merge() from custom code.
155 R__LOG_WARNING(NTupleMergeLog()) << "Passed both options \"DefaultCompression\" and \"FirstSrcCompression\": "
156 "only the latter will apply.";
157 }
158 std::optional<std::uint32_t> compression;
159 if (firstSrcComp) {
160 // user passed -ff or -fk: use the same compression as the first RNTuple we find in the sources.
161 // (do nothing here, the compression will be fetched below)
162 } else if (!defaultComp) {
163 // compression was explicitly passed by the user: use it.
164 compression = outFile->GetCompressionSettings();
165 } else {
166 // user passed no compression-related options: use default
168 R__LOG_INFO(NTupleMergeLog()) << "Using the default compression: " << *compression;
169 }
170
171 // The remaining entries are the input files
172 std::vector<std::unique_ptr<RPageSourceFile>> sources;
173 std::vector<RPageSource *> sourcePtrs;
174
175 while (const auto &pitr = itr()) {
176 TFile *inFile = dynamic_cast<TFile *>(pitr);
177 ROOT::RNTuple *anchor = inFile ? inFile->Get<ROOT::RNTuple>(ntupleName.c_str()) : nullptr;
178 if (!anchor) {
179 R__LOG_INFO(NTupleMergeLog()) << "No RNTuple anchor named '" << ntupleName << "' from file '"
180 << inFile->GetName() << "'";
181 continue;
182 }
183
185 if (!compression) {
186 // Get the compression of this RNTuple and use it as the output compression.
187 // We currently assume all column ranges have the same compression, so we just peek at the first one.
188 source->Attach(RNTupleSerializer::EDescriptorDeserializeMode::kRaw);
189 auto descriptor = source->GetSharedDescriptorGuard();
190 auto clusterIter = descriptor->GetClusterIterable();
192 if (firstCluster == clusterIter.end()) {
194 << "Asked to use the first source's compression as the output compression, but the "
195 "first source (file '"
196 << inFile->GetName()
197 << "') has an empty RNTuple, therefore the output compression could not be "
198 "determined.";
199 return -1;
200 }
201 auto colRangeIter = (*firstCluster).GetColumnRangeIterable();
203 if (firstColRange == colRangeIter.end()) {
205 << "Asked to use the first source's compression as the output compression, but the "
206 "first source (file '"
207 << inFile->GetName()
208 << "') has an empty RNTuple, therefore the output compression could not be "
209 "determined.";
210 return -1;
211 }
212 compression = (*firstColRange).GetCompressionSettings().value();
213 R__LOG_INFO(NTupleMergeLog()) << "Using the first RNTuple's compression: " << *compression;
214 }
215 sources.push_back(std::move(source));
216 }
217
220 writeOpts.SetCompression(*compression);
221 auto destination = std::make_unique<ROOT::Internal::RPageSinkFile>(ntupleName, *outFile, writeOpts);
222 std::unique_ptr<ROOT::RNTupleModel> model;
223 // If we already have an existing RNTuple, copy over its descriptor to support incremental merging
224 if (outNTuple) {
226 outSource->Attach(RNTupleSerializer::EDescriptorDeserializeMode::kForWriting);
227 auto desc = outSource->GetSharedDescriptorGuard();
228 model = destination->InitFromDescriptor(desc.GetRef(), true /* copyClusters */);
229 }
230
231 // Interface conversion
232 sourcePtrs.reserve(sources.size());
233 for (const auto &s : sources) {
234 sourcePtrs.push_back(s.get());
235 }
236
237 // Now merge
238 RNTupleMerger merger{std::move(destination), std::move(model)};
240 mergerOpts.fCompressionSettings = *compression;
241 mergerOpts.fExtraVerbose = extraVerbose;
242 if (auto mergingMode = ParseOptionMergingMode(mergeInfo->fOptions)) {
243 mergerOpts.fMergingMode = *mergingMode;
244 }
245 if (auto errBehavior = ParseOptionErrBehavior(mergeInfo->fOptions)) {
246 mergerOpts.fErrBehavior = *errBehavior;
247 }
248 merger.Merge(sourcePtrs, mergerOpts).ThrowOnError();
249
250 // Provide the caller with a merged anchor object (even though we've already
251 // written it).
252 *this = *outFile->Get<ROOT::RNTuple>(ntupleName.c_str());
253
254 return 0;
255} catch (const std::exception &ex) {
256 R__LOG_ERROR(NTupleMergeLog()) << "Exception thrown while merging: " << ex.what();
257 return -1;
258}
259
260namespace {
261// Functor used to change the compression of a page to `options.fCompressionSettings`.
262struct RChangeCompressionFunc {
263 const RColumnElementBase &fSrcColElement;
264 const RColumnElementBase &fDstColElement;
265 const RNTupleMergeOptions &fMergeOptions;
266
267 RPageStorage::RSealedPage &fSealedPage;
269 std::uint8_t *fBuffer;
270 std::size_t fBufSize;
271 const ROOT::RNTupleWriteOptions &fWriteOpts;
272
273 void operator()() const
274 {
275 assert(fSrcColElement.GetIdentifier() == fDstColElement.GetIdentifier());
276
278
279 const auto bytesPacked = fSrcColElement.GetPackedSize(fSealedPage.GetNElements());
280 // TODO: this buffer could be kept and reused across pages
283 unzipBuf.get());
284
285 const auto checksumSize = fWriteOpts.GetEnablePageChecksums() * sizeof(std::uint64_t);
286 assert(fBufSize >= bytesPacked + checksumSize);
288 fMergeOptions.fCompressionSettings.value(), fBuffer);
289
290 fSealedPage = {fBuffer, nBytesZipped + checksumSize, fSealedPage.GetNElements(), fSealedPage.GetHasChecksum()};
291 fSealedPage.ChecksumIfEnabled();
292 }
293};
294
295struct RResealFunc {
296 const RColumnElementBase &fSrcColElement;
297 const RColumnElementBase &fDstColElement;
298 const RNTupleMergeOptions &fMergeOptions;
299
300 RPageStorage::RSealedPage &fSealedPage;
302 std::uint8_t *fBuffer;
303 std::size_t fBufSize;
304 const ROOT::RNTupleWriteOptions &fWriteOpts;
305
306 void operator()() const
307 {
308 auto page = RPageSource::UnsealPage(fSealedPage, fSrcColElement, fPageAlloc).Unwrap();
310 sealConf.fElement = &fDstColElement;
311 sealConf.fPage = &page;
312 sealConf.fBuffer = fBuffer;
313 sealConf.fCompressionSettings = *fMergeOptions.fCompressionSettings;
314 sealConf.fWriteChecksum = fWriteOpts.GetEnablePageChecksums();
315 assert(fBufSize >= fSealedPage.GetDataSize() + fSealedPage.GetHasChecksum() * sizeof(std::uint64_t));
316 auto refSealedPage = RPageSink::SealPage(sealConf);
317 fSealedPage = refSealedPage;
318 }
319};
320
321struct RTaskVisitor {
322 std::optional<ROOT::Experimental::TTaskGroup> &fGroup;
323
324 template <typename T>
325 void operator()(T &&f)
326 {
327 if (fGroup)
328 fGroup->Run(f);
329 else
330 f();
331 }
332};
333
334struct RCommonField {
335 const ROOT::RFieldDescriptor *fSrc;
336 const ROOT::RFieldDescriptor *fDst;
337
338 RCommonField(const ROOT::RFieldDescriptor &src, const ROOT::RFieldDescriptor &dst) : fSrc(&src), fDst(&dst) {}
339};
340
341struct RDescriptorsComparison {
342 std::vector<const ROOT::RFieldDescriptor *> fExtraDstFields;
343 std::vector<const ROOT::RFieldDescriptor *> fExtraSrcFields;
344 std::vector<RCommonField> fCommonFields;
345};
346
347struct RColumnOutInfo {
348 ROOT::DescriptorId_t fColumnId;
349 ENTupleColumnType fColumnType;
350};
351
352// { fully.qualified.fieldName.colInputId => colOutputInfo }
353using ColumnIdMap_t = std::unordered_map<std::string, RColumnOutInfo>;
354
355struct RColumnInfoGroup {
356 std::vector<RColumnMergeInfo> fExtraDstColumns;
357 // These are sorted by InputId
358 std::vector<RColumnMergeInfo> fCommonColumns;
359};
360
361} // namespace
362
363// These structs cannot be in the anon namespace becase they're used in RNTupleMerger's private interface.
366 // This column name is built as a dot-separated concatenation of the ancestry of
367 // the columns' parent fields' names plus the index of the column itself.
368 // e.g. "Muon.pt.x._0"
369 std::string fColumnName;
370 // The column id in the source RNTuple
372 // The corresponding column id in the destination RNTuple (the mapping happens in AddColumnsFromField())
375 // If nullopt, use the default in-memory type
376 std::optional<std::type_index> fInMemoryType;
379};
380
381// Data related to a single call of RNTupleMerger::Merge()
399
401 // We use a std::deque so that references to the contained SealedPageSequence_t, and its iterators, are
402 // never invalidated.
403 std::deque<RPageStorage::SealedPageSequence_t> fPagesV;
404 std::vector<RPageStorage::RSealedPageGroup> fGroups;
405 std::vector<std::unique_ptr<std::uint8_t[]>> fBuffers;
406};
407
408std::ostream &operator<<(std::ostream &os, const std::optional<ROOT::RColumnDescriptor::RValueRange> &x)
409{
410 if (x) {
411 os << '(' << x->fMin << ", " << x->fMax << ')';
412 } else {
413 os << "(null)";
414 }
415 return os;
416}
417
418} // namespace ROOT::Experimental::Internal
419
421{
422 // clang-format off
443 // clang-format on
444 return false;
445}
446
447/// Compares the top level fields of `dst` and `src` and determines whether they can be merged or not.
448/// In addition, returns the differences between `dst` and `src`'s structures
451{
452 // Cases:
453 // 1. dst == src
454 // 2. dst has fields that src hasn't
455 // 3. src has fields that dst hasn't
456 // 4. dst and src have fields that differ (compatible or incompatible)
457
458 std::vector<std::string> errors;
459 RDescriptorsComparison res;
460
461 std::vector<RCommonField> commonFields;
462
463 for (const auto &dstField : dst.GetTopLevelFields()) {
464 const auto srcFieldId = src.FindFieldId(dstField.GetFieldName());
466 const auto &srcField = src.GetFieldDescriptor(srcFieldId);
467 commonFields.push_back({srcField, dstField});
468 } else {
469 res.fExtraDstFields.emplace_back(&dstField);
470 }
471 }
472 for (const auto &srcField : src.GetTopLevelFields()) {
473 const auto dstFieldId = dst.FindFieldId(srcField.GetFieldName());
475 res.fExtraSrcFields.push_back(&srcField);
476 }
477
478 // Check compatibility of common fields
480 // NOTE: using index-based for loop because the collection may get extended by the iteration
481 for (std::size_t fieldIdx = 0; fieldIdx < fieldsToCheck.size(); ++fieldIdx) {
482 const auto &field = fieldsToCheck[fieldIdx];
483
484 // NOTE: field.fSrc and field.fDst have the same name by construction
485 const auto &fieldName = field.fSrc->GetFieldName();
486
487 // Require that fields are both projected or both not projected
488 bool projCompatible = field.fSrc->IsProjectedField() == field.fDst->IsProjectedField();
489 if (!projCompatible) {
490 std::stringstream ss;
491 ss << "Field `" << fieldName << "` is incompatible with previously-seen field with that name because the "
492 << (field.fSrc->IsProjectedField() ? "new" : "old") << " one is projected and the other isn't";
493 errors.push_back(ss.str());
494 } else if (field.fSrc->IsProjectedField()) {
495 // if both fields are projected, verify that they point to the same real field
496 const auto srcName = src.GetQualifiedFieldName(field.fSrc->GetProjectionSourceId());
497 const auto dstName = dst.GetQualifiedFieldName(field.fDst->GetProjectionSourceId());
498 if (srcName != dstName) {
499 std::stringstream ss;
500 ss << "Field `" << fieldName
501 << "` is projected to a different field than a previously-seen field with the same name (old: "
502 << dstName << ", new: " << srcName << ")";
503 errors.push_back(ss.str());
504 }
505 }
506
507 // Require that fields types match
508 // TODO(gparolini): allow non-identical but compatible types
509 const auto &srcTyName = field.fSrc->GetTypeName();
510 const auto &dstTyName = field.fDst->GetTypeName();
511 if (srcTyName != dstTyName) {
512 std::stringstream ss;
513 ss << "Field `" << fieldName
514 << "` has a type incompatible with a previously-seen field with the same name: (old: " << dstTyName
515 << ", new: " << srcTyName << ")";
516 errors.push_back(ss.str());
517 }
518
519 // Require that type checksums match
520 const auto srcTyChk = field.fSrc->GetTypeChecksum();
521 const auto dstTyChk = field.fDst->GetTypeChecksum();
522 if (srcTyChk && dstTyChk && *srcTyChk != *dstTyChk) {
523 std::stringstream ss;
524 ss << "Field `" << field.fSrc->GetFieldName()
525 << "` has a different type checksum than previously-seen field with the same name";
526 errors.push_back(ss.str());
527 }
528
529 // Require that type versions match
530 const auto srcTyVer = field.fSrc->GetTypeVersion();
531 const auto dstTyVer = field.fDst->GetTypeVersion();
532 if (srcTyVer != dstTyVer) {
533 std::stringstream ss;
534 ss << "Field `" << field.fSrc->GetFieldName()
535 << "` has a different type version than previously-seen field with the same name (old: " << dstTyVer
536 << ", new: " << srcTyVer << ")";
537 errors.push_back(ss.str());
538 }
539
540 // Require that field versions match
541 const auto srcFldVer = field.fSrc->GetFieldVersion();
542 const auto dstFldVer = field.fDst->GetFieldVersion();
543 if (srcFldVer != dstFldVer) {
544 std::stringstream ss;
545 ss << "Field `" << field.fSrc->GetFieldName()
546 << "` has a different field version than previously-seen field with the same name (old: " << dstFldVer
547 << ", new: " << srcFldVer << ")";
548 errors.push_back(ss.str());
549 }
550
551 const auto srcRole = field.fSrc->GetStructure();
552 const auto dstRole = field.fDst->GetStructure();
553 if (srcRole != dstRole) {
554 std::stringstream ss;
555 ss << "Field `" << field.fSrc->GetFieldName()
556 << "` has a different structural role than previously-seen field with the same name (old: " << dstRole
557 << ", new: " << srcRole << ")";
558 errors.push_back(ss.str());
559 }
560
561 // Require that column representations match
562 const auto srcNCols = field.fSrc->GetLogicalColumnIds().size();
563 const auto dstNCols = field.fDst->GetLogicalColumnIds().size();
564 if (srcNCols != dstNCols) {
565 std::stringstream ss;
566 ss << "Field `" << field.fSrc->GetFieldName()
567 << "` has a different number of columns than previously-seen field with the same name (old: " << dstNCols
568 << ", new: " << srcNCols << ")";
569 errors.push_back(ss.str());
570 } else {
571 for (auto i = 0u; i < srcNCols; ++i) {
572 const auto srcColId = field.fSrc->GetLogicalColumnIds()[i];
573 const auto dstColId = field.fDst->GetLogicalColumnIds()[i];
574 const auto &srcCol = src.GetColumnDescriptor(srcColId);
575 const auto &dstCol = dst.GetColumnDescriptor(dstColId);
576 // TODO(gparolini): currently we refuse to merge columns of different types unless they are Split/non-Split
577 // version of the same type, because we know how to treat that specific case. We should also properly handle
578 // different but compatible types.
579 if (srcCol.GetType() != dstCol.GetType() &&
580 !IsSplitOrUnsplitVersionOf(srcCol.GetType(), dstCol.GetType())) {
581 std::stringstream ss;
582 ss << i << "-th column of field `" << field.fSrc->GetFieldName()
583 << "` has a different column type of the same column on the previously-seen field with the same name "
584 "(old: "
586 << ", new: " << RColumnElementBase::GetColumnTypeName(dstCol.GetType()) << ")";
587 errors.push_back(ss.str());
588 }
589 if (srcCol.GetBitsOnStorage() != dstCol.GetBitsOnStorage()) {
590 std::stringstream ss;
591 ss << i << "-th column of field `" << field.fSrc->GetFieldName()
592 << "` has a different number of bits of the same column on the previously-seen field with the same "
593 "name "
594 "(old: "
595 << srcCol.GetBitsOnStorage() << ", new: " << dstCol.GetBitsOnStorage() << ")";
596 errors.push_back(ss.str());
597 }
598 if (srcCol.GetValueRange() != dstCol.GetValueRange()) {
599 std::stringstream ss;
600 ss << i << "-th column of field `" << field.fSrc->GetFieldName()
601 << "` has a different value range of the same column on the previously-seen field with the same name "
602 "(old: "
603 << srcCol.GetValueRange() << ", new: " << dstCol.GetValueRange() << ")";
604 errors.push_back(ss.str());
605 }
606 if (srcCol.GetRepresentationIndex() > 0) {
607 std::stringstream ss;
608 ss << i << "-th column of field `" << field.fSrc->GetFieldName()
609 << "` has a representation index higher than 0. This is not supported yet by the merger.";
610 errors.push_back(ss.str());
611 }
612 }
613 }
614
615 // Require that subfields are compatible
616 const auto &srcLinks = field.fSrc->GetLinkIds();
617 const auto &dstLinks = field.fDst->GetLinkIds();
618 if (srcLinks.size() != dstLinks.size()) {
619 std::stringstream ss;
620 ss << "Field `" << field.fSrc->GetFieldName()
621 << "` has a different number of children than previously-seen field with the same name (old: "
622 << dstLinks.size() << ", new: " << srcLinks.size() << ")";
623 errors.push_back(ss.str());
624 } else {
625 for (std::size_t linkIdx = 0, linkNum = srcLinks.size(); linkIdx < linkNum; ++linkIdx) {
626 const auto &srcSubfield = src.GetFieldDescriptor(srcLinks[linkIdx]);
627 const auto &dstSubfield = dst.GetFieldDescriptor(dstLinks[linkIdx]);
628 fieldsToCheck.push_back(RCommonField{srcSubfield, dstSubfield});
629 }
630 }
631 }
632
633 std::string errMsg;
634 for (const auto &err : errors)
635 errMsg += std::string("\n * ") + err;
636
637 if (!errMsg.empty())
638 errMsg = errMsg.substr(1); // strip initial newline
639
640 if (errMsg.length())
641 return R__FAIL(errMsg);
642
643 res.fCommonFields = std::move(commonFields);
644
645 return ROOT::RResult(res);
646}
647
648// Applies late model extension to `destination`, adding all `newFields` to it.
649[[nodiscard]]
651ExtendDestinationModel(std::span<const ROOT::RFieldDescriptor *> newFields, ROOT::RNTupleModel &dstModel,
652 RNTupleMergeData &mergeData, std::vector<RCommonField> &commonFields)
653{
654 assert(newFields.size() > 0); // no point in calling this with 0 new cols
655
656 dstModel.Unfreeze();
658
659 if (mergeData.fMergeOpts.fExtraVerbose) {
660 std::string msg = "destination doesn't contain field";
661 if (newFields.size() > 1)
662 msg += 's';
663 msg += ' ';
664 msg += std::accumulate(newFields.begin(), newFields.end(), std::string{}, [](const auto &acc, const auto *field) {
665 return acc + (acc.length() ? ", " : "") + '`' + field->GetFieldName() + '`';
666 });
667 R__LOG_INFO(NTupleMergeLog()) << msg << ": adding " << (newFields.size() > 1 ? "them" : "it")
668 << " to the destination model (entry #" << mergeData.fNumDstEntries << ").";
669 }
670
671 changeset.fAddedFields.reserve(newFields.size());
672 // First add all non-projected fields...
673 for (const auto *fieldDesc : newFields) {
674 if (!fieldDesc->IsProjectedField()) {
675 auto field = fieldDesc->CreateField(*mergeData.fSrcDescriptor);
676 changeset.AddField(std::move(field));
677 }
678 }
679 // ...then add all projected fields.
680 for (const auto *fieldDesc : newFields) {
681 if (!fieldDesc->IsProjectedField())
682 continue;
683
685 auto field = fieldDesc->CreateField(*mergeData.fSrcDescriptor);
686 const auto sourceId = fieldDesc->GetProjectionSourceId();
687 const auto &sourceField = dstModel.GetConstField(mergeData.fSrcDescriptor->GetQualifiedFieldName(sourceId));
688 fieldMap[field.get()] = &sourceField;
689
690 for (const auto &subfield : *field) {
691 const auto &subFieldDesc = mergeData.fSrcDescriptor->GetFieldDescriptor(subfield.GetOnDiskId());
692 const auto subSourceId = subFieldDesc.GetProjectionSourceId();
693 const auto &subSourceField =
694 dstModel.GetConstField(mergeData.fSrcDescriptor->GetQualifiedFieldName(subSourceId));
696 }
697 changeset.fAddedProjectedFields.emplace_back(field.get());
699 }
700 dstModel.Freeze();
701 try {
702 mergeData.fDestination.UpdateSchema(changeset, mergeData.fNumDstEntries);
703 } catch (const ROOT::RException &ex) {
704 return R__FAIL(ex.GetError().GetReport());
705 }
706
707 commonFields.reserve(commonFields.size() + newFields.size());
708 for (const auto *field : newFields) {
709 const auto newFieldInDstId = mergeData.fDstDescriptor.FindFieldId(field->GetFieldName());
710 const auto &newFieldInDst = mergeData.fDstDescriptor.GetFieldDescriptor(newFieldInDstId);
711 commonFields.emplace_back(*field, newFieldInDst);
712 }
713
715}
716
717// Generates default (zero) values for the given columns
718[[nodiscard]]
720GenerateZeroPagesForColumns(size_t nEntriesToGenerate, std::span<const RColumnMergeInfo> columns,
723{
726
727 for (const auto &column : columns) {
728 const ROOT::RFieldDescriptor *field = column.fParentFieldDescriptor;
729
730 // Skip all auxiliary columns
731 assert(!field->GetLogicalColumnIds().empty());
732 if (field->GetLogicalColumnIds()[0] != column.fInputId)
733 continue;
734
735 // Check if this column is a child of a Collection or a Variant. If so, it has no data
736 // and can be skipped.
737 bool skipColumn = false;
738 auto nRepetitions = std::max<std::uint64_t>(field->GetNRepetitions(), 1);
739 for (auto parentId = field->GetParentId(); parentId != ROOT::kInvalidDescriptorId;) {
740 const ROOT::RFieldDescriptor &parent = column.fParentNTupleDescriptor->GetFieldDescriptor(parentId);
743 skipColumn = true;
744 break;
745 }
746 nRepetitions *= std::max<std::uint64_t>(parent.GetNRepetitions(), 1);
747 parentId = parent.GetParentId();
748 }
749 if (skipColumn)
750 continue;
751
752 const auto structure = field->GetStructure();
753
754 if (structure == ROOT::ENTupleStructure::kStreamer) {
755 return R__FAIL(
756 "Destination RNTuple contains a streamer field (" + field->GetFieldName() +
757 ") that is not present in one of the sources. "
758 "Creating a default value for a streamer field is ill-defined, therefore the merging process will abort.");
759 }
760
761 // NOTE: we cannot have a Record here because it has no associated columns.
763 structure == ROOT::ENTupleStructure::kPlain);
764
765 const auto &columnDesc = dstDescriptor.GetColumnDescriptor(column.fOutputId);
766 const auto colElement = RColumnElementBase::Generate(columnDesc.GetType());
768 const auto nBytesOnStorage = colElement->GetPackedSize(nElements);
769 // TODO(gparolini): make this configurable
770 constexpr auto kPageSizeLimit = 256 * 1024;
771 // TODO(gparolini): consider coalescing the last page if its size is less than some threshold
773 for (size_t i = 0; i < nPages; ++i) {
774 const auto pageSize = (i < nPages - 1) ? kPageSizeLimit : nBytesOnStorage - kPageSizeLimit * (nPages - 1);
776 const auto bufSize = pageSize + checksumSize;
777 assert(pageSize % colElement->GetSize() == 0);
778 const auto nElementsPerPage = pageSize / colElement->GetSize();
779 auto page = pageAlloc.NewPage(colElement->GetSize(), nElementsPerPage);
780 page.GrowUnchecked(nElementsPerPage);
781 memset(page.GetBuffer(), 0, page.GetNBytes());
782
783 auto &buffer = sealedPageData.fBuffers.emplace_back(new unsigned char[bufSize]);
785 sealConf.fElement = colElement.get();
786 sealConf.fPage = &page;
787 sealConf.fBuffer = buffer.get();
788 sealConf.fCompressionSettings = mergeData.fMergeOpts.fCompressionSettings.value();
789 sealConf.fWriteChecksum = mergeData.fDestination.GetWriteOptions().GetEnablePageChecksums();
791
792 sealedPageData.fPagesV.push_back({sealedPage});
793 sealedPageData.fGroups.emplace_back(column.fOutputId, sealedPageData.fPagesV.back().cbegin(),
794 sealedPageData.fPagesV.back().cend());
795 }
796 }
798}
799
800// Merges all columns appearing both in the source and destination RNTuples, just copying them if their
801// compression matches ("fast merge") or by unsealing and resealing them with the proper compression.
805 std::span<const RColumnMergeInfo> commonColumns,
809{
814
815 const RCluster *cluster = clusterPool.GetCluster(clusterDesc.GetId(), commonColumnSet);
816 // we expect the cluster pool to contain the requested set of columns, since they were
817 // validated by CompareDescriptorStructure().
819
820 for (size_t colIdx = 0; colIdx < nCommonColumnsInCluster; ++colIdx) {
821 const auto &column = commonColumns[colIdx];
822 const auto &columnId = column.fInputId;
823 R__ASSERT(clusterDesc.ContainsColumn(columnId));
824
825 const auto &columnDesc = mergeData.fSrcDescriptor->GetColumnDescriptor(columnId);
826 const auto srcColElement = column.fInMemoryType
827 ? ROOT::Internal::GenerateColumnElement(*column.fInMemoryType, columnDesc.GetType())
829 const auto dstColElement = column.fInMemoryType
830 ? ROOT::Internal::GenerateColumnElement(*column.fInMemoryType, column.fColumnType)
831 : RColumnElementBase::Generate(column.fColumnType);
832
833 // Now get the pages for this column in this cluster
834 const auto &pages = clusterDesc.GetPageRange(columnId);
835
837 sealedPages.resize(pages.GetPageInfos().size());
838
839 // Each column range potentially has a distinct compression settings
840 const auto colRangeCompressionSettings = clusterDesc.GetColumnRange(columnId).GetCompressionSettings().value();
841
842 // Select "merging level". There are 3 levels, from fastest to slowest, depending on the case:
843 // L1: compression and encoding of src and dest both match: we can simply copy the page
844 // L2: compression of dest doesn't match the src but encoding does: we must recompress the page but can avoid
845 // resealing it.
846 // L3: on-disk encoding doesn't match: we need to reseal the page, which implies decompressing and recompressing
847 // it.
848 const bool compressionIsDifferent =
849 colRangeCompressionSettings != mergeData.fMergeOpts.fCompressionSettings.value();
850 const bool needsResealing =
851 srcColElement->GetIdentifier().fOnDiskType != dstColElement->GetIdentifier().fOnDiskType;
853
854 if (needsRecompressing && mergeData.fMergeOpts.fExtraVerbose) {
856 << (needsResealing ? "Resealing" : "Recompressing") << " column " << column.fColumnName
857 << ": { compression: " << colRangeCompressionSettings << " => "
858 << mergeData.fMergeOpts.fCompressionSettings.value()
859 << ", onDiskType: " << RColumnElementBase::GetColumnTypeName(srcColElement->GetIdentifier().fOnDiskType)
860 << " => " << RColumnElementBase::GetColumnTypeName(dstColElement->GetIdentifier().fOnDiskType);
861 }
862
863 size_t pageBufferBaseIdx = sealedPageData.fBuffers.size();
864 // If the column range already has the right compression we don't need to allocate any new buffer, so we don't
865 // bother reserving memory for them.
867 sealedPageData.fBuffers.resize(sealedPageData.fBuffers.size() + pages.GetPageInfos().size());
868
869 // If this column is deferred, we may need to fill "holes" until its real start. We fill any missing entry
870 // with zeroes, like we do for extraDstColumns.
871 // As an optimization, we don't do this for the first source (since we can rely on the FirstElementIndex and
872 // deferred column mechanism in that case).
873 // TODO: also avoid doing this if we added no real page of this column to the destination yet.
874 if (columnDesc.GetFirstElementIndex() > clusterDesc.GetFirstEntryIndex() && mergeData.fNumDstEntries > 0) {
875 const auto nMissingEntries = columnDesc.GetFirstElementIndex() - clusterDesc.GetFirstEntryIndex();
877 mergeData.fDstDescriptor, mergeData);
878 if (!res)
879 return R__FORWARD_ERROR(res);
880 }
881
882 // Loop over the pages
883 std::uint64_t pageIdx = 0;
884 for (const auto &pageInfo : pages.GetPageInfos()) {
885 assert(pageIdx < sealedPages.size());
886 assert(sealedPageData.fBuffers.size() == 0 || pageIdx < sealedPageData.fBuffers.size());
887 assert(pageInfo.GetLocator().GetType() != RNTupleLocator::kTypePageZero);
888
890 auto onDiskPage = cluster->GetOnDiskPage(key);
891
892 const auto checksumSize = pageInfo.HasChecksum() * RPageStorage::kNBytesPageChecksum;
894 sealedPage.SetNElements(pageInfo.GetNElements());
895 sealedPage.SetHasChecksum(pageInfo.HasChecksum());
896 sealedPage.SetBufferSize(pageInfo.GetLocator().GetNBytesOnStorage() + checksumSize);
897 sealedPage.SetBuffer(onDiskPage->GetAddress());
898 // TODO(gparolini): more graceful error handling (skip the page?)
899 sealedPage.VerifyChecksumIfEnabled().ThrowOnError();
900 R__ASSERT(onDiskPage && (onDiskPage->GetSize() == sealedPage.GetBufferSize()));
901
902 if (needsRecompressing) {
903 const auto uncompressedSize = srcColElement->GetSize() * sealedPage.GetNElements();
904 auto &buffer = sealedPageData.fBuffers[pageBufferBaseIdx + pageIdx];
906 // NOTE: we currently allocate the max possible size for this buffer and don't shrink it afterward.
907 // We might want to introduce an option that trades speed for memory usage and shrink the buffer to fit
908 // the actual data size after recompressing.
910
911 if (needsResealing) {
912 RTaskVisitor{fTaskGroup}(RResealFunc{
915 mergeData.fMergeOpts,
917 *fPageAlloc,
918 buffer.get(),
919 bufSize,
920 mergeData.fDestination.GetWriteOptions()
921 });
922 } else {
923 RTaskVisitor{fTaskGroup}(RChangeCompressionFunc{
926 mergeData.fMergeOpts,
928 *fPageAlloc,
929 buffer.get(),
930 bufSize,
931 mergeData.fDestination.GetWriteOptions()
932 });
933 }
934 }
935
936 ++pageIdx;
937
938 } // end of loop over pages
939
940 if (fTaskGroup)
941 fTaskGroup->Wait();
942
943 sealedPageData.fPagesV.push_back(std::move(sealedPages));
944 sealedPageData.fGroups.emplace_back(column.fOutputId, sealedPageData.fPagesV.back().cbegin(),
945 sealedPageData.fPagesV.back().cend());
946 } // end loop over common columns
947
949}
950
951// Iterates over all clusters of `source` and merges their pages into `destination`.
952// It is assumed that all columns in `commonColumns` are present (and compatible) in both the source and
953// the destination's schemas.
954// The pages may be "fast-merged" (i.e. simply copied with no decompression/recompression) if the target
955// compression is unspecified or matches the original compression settings.
958 std::span<const RColumnMergeInfo> extraDstColumns, RNTupleMergeData &mergeData)
959{
961
962 std::vector<RColumnMergeInfo> missingColumns{extraDstColumns.begin(), extraDstColumns.end()};
963
964 // Loop over all clusters in this file.
965 // descriptor->GetClusterIterable() doesn't guarantee any specific order, so we explicitly
966 // request the first cluster.
967 ROOT::DescriptorId_t clusterId = mergeData.fSrcDescriptor->FindClusterId(0, 0);
969 const auto &clusterDesc = mergeData.fSrcDescriptor->GetClusterDescriptor(clusterId);
970 const auto nClusterEntries = clusterDesc.GetNEntries();
972
973 // NOTE: just because a column is in `commonColumns` it doesn't mean that each cluster in the source contains it,
974 // as it may be a deferred column that only has real data in a future cluster.
975 // We need to figure out which columns are actually present in this cluster so we only merge their pages (the
976 // missing columns are handled by synthesizing zero pages - see below).
978 while (nCommonColumnsInCluster > 0) {
979 // Since `commonColumns` is sorted by column input id, we can simply traverse it from the back and stop as
980 // soon as we find a common column that appears in this cluster: we know that in that case all previous
981 // columns must appear as well.
982 if (clusterDesc.ContainsColumn(commonColumns[nCommonColumnsInCluster - 1].fInputId))
983 break;
985 }
986
987 // Convert columns to a ColumnSet for the ClusterPool query
990 for (size_t i = 0; i < nCommonColumnsInCluster; ++i)
991 commonColumnSet.emplace(commonColumns[i].fInputId);
992
993 // For each cluster, the "missing columns" are the union of the extraDstColumns and the common columns
994 // that are not present in the cluster. We generate zero pages for all of them.
995 missingColumns.resize(extraDstColumns.size());
996 for (size_t i = nCommonColumnsInCluster; i < commonColumns.size(); ++i)
997 missingColumns.push_back(commonColumns[i]);
998
1001 sealedPageData, mergeData, *fPageAlloc);
1002 if (!res)
1003 return R__FORWARD_ERROR(res);
1004
1006 mergeData.fDstDescriptor, mergeData);
1007 if (!res)
1008 return R__FORWARD_ERROR(res);
1009
1010 // Commit the pages and the clusters
1011 mergeData.fDestination.CommitSealedPageV(sealedPageData.fGroups);
1012 mergeData.fDestination.CommitCluster(nClusterEntries);
1013 mergeData.fNumDstEntries += nClusterEntries;
1014
1015 // Go to the next cluster
1016 clusterId = mergeData.fSrcDescriptor->FindNextClusterId(clusterId);
1017 }
1018
1019 // TODO(gparolini): when we get serious about huge file support (>~ 100GB) we might want to check here
1020 // the size of the running page list and commit a cluster group when it exceeds some threshold,
1021 // which would prevent the page list from getting too large.
1022 // However, as of today, we aren't really handling such huge files, and even relatively big ones
1023 // such as the CMS dataset have a page list size of about only 2 MB.
1024 // So currently we simply merge all cluster groups into one.
1026}
1027
1028static std::optional<std::type_index> ColumnInMemoryType(std::string_view fieldType, ENTupleColumnType onDiskType)
1029{
1032 return typeid(ROOT::Internal::RColumnIndex);
1033
1035 return typeid(ROOT::Internal::RColumnSwitch);
1036
1037 // clang-format off
1038 if (fieldType == "bool") return typeid(bool);
1039 if (fieldType == "std::byte") return typeid(std::byte);
1040 if (fieldType == "char") return typeid(char);
1041 if (fieldType == "std::int8_t") return typeid(std::int8_t);
1042 if (fieldType == "std::uint8_t") return typeid(std::uint8_t);
1043 if (fieldType == "std::int16_t") return typeid(std::int16_t);
1044 if (fieldType == "std::uint16_t") return typeid(std::uint16_t);
1045 if (fieldType == "std::int32_t") return typeid(std::int32_t);
1046 if (fieldType == "std::uint32_t") return typeid(std::uint32_t);
1047 if (fieldType == "std::int64_t") return typeid(std::int64_t);
1048 if (fieldType == "std::uint64_t") return typeid(std::uint64_t);
1049 if (fieldType == "float") return typeid(float);
1050 if (fieldType == "double") return typeid(double);
1051 // clang-format on
1052
1053 // if the type is not one of those above, we use the default in-memory type.
1054 return std::nullopt;
1055}
1056
1057// Given a field, fill `columns` and `mergeData.fColumnIdMap` with information about all columns belonging to it and its
1058// subfields. `mergeData.fColumnIdMap` is used to map matching columns from different sources to the same output column
1059// in the destination. We match columns by their "fully qualified name", which is the concatenation of their ancestor
1060// fields' names and the column index. By this point, since we called `CompareDescriptorStructure()` earlier, we should
1061// be guaranteed that two matching columns will have at least compatible representations. NOTE: srcFieldDesc and
1062// dstFieldDesc may alias.
1063static void AddColumnsFromField(std::vector<RColumnMergeInfo> &columns, const ROOT::RNTupleDescriptor &srcDesc,
1065 const ROOT::RFieldDescriptor &dstFieldDesc, const std::string &prefix = "")
1066{
1067 std::string name = prefix + '.' + srcFieldDesc.GetFieldName();
1068
1069 const auto &columnIds = srcFieldDesc.GetLogicalColumnIds();
1070 columns.reserve(columns.size() + columnIds.size());
1071 // NOTE: here we can match the src and dst columns by column index because we forbid merging fields with
1072 // different column representations.
1073 for (auto i = 0u; i < srcFieldDesc.GetLogicalColumnIds().size(); ++i) {
1074 // We don't want to try and merge alias columns
1075 if (srcFieldDesc.IsProjectedField())
1076 continue;
1077
1078 auto srcColumnId = srcFieldDesc.GetLogicalColumnIds()[i];
1079 const auto &srcColumn = srcDesc.GetColumnDescriptor(srcColumnId);
1080
1082 info.fColumnName = name + '.' + std::to_string(srcColumn.GetIndex());
1083 info.fInputId = srcColumn.GetPhysicalId();
1084 // NOTE(gparolini): the parent field is used when synthesizing zero pages, which happens in 2 situations:
1085 // 1. when adding extra dst columns (in which case we need to synthesize zero pages for the incoming src), and
1086 // 2. when merging a deferred column into an existing column (in which case we need to fill the "hole" with
1087 // zeroes). For the first case srcFieldDesc and dstFieldDesc are the same (see the calling site of this function),
1088 // but for the second case they're not, and we need to pick the source field because we will then check the
1089 // column's *input* id inside fParentFieldDescriptor to see if it's a suppressed column (see
1090 // GenerateZeroPagesForColumns()).
1091 info.fParentFieldDescriptor = &srcFieldDesc;
1092 // Save the parent field descriptor since this may be either the source or destination descriptor depending on
1093 // whether this is an extraDstField or a commonField. We will need this in GenerateZeroPagesForColumns() to
1094 // properly walk up the field hierarchy.
1095 info.fParentNTupleDescriptor = &srcDesc;
1096
1097 if (auto it = mergeData.fColumnIdMap.find(info.fColumnName); it != mergeData.fColumnIdMap.end()) {
1098 info.fOutputId = it->second.fColumnId;
1099 info.fColumnType = it->second.fColumnType;
1100 } else {
1101 info.fOutputId = mergeData.fColumnIdMap.size();
1102 // NOTE(gparolini): map the type of src column to the type of dst column.
1103 // This mapping is only relevant for common columns and it's done to ensure we keep a consistent
1104 // on-disk representation of the same column.
1105 // This is also important to do for first source when it is used to generate the destination sink,
1106 // because even in that case their column representations may differ.
1107 // e.g. if the destination has a different compression than the source, an integer column might be
1108 // zigzag-encoded in the source but not in the destination.
1109 auto dstColumnId = dstFieldDesc.GetLogicalColumnIds()[i];
1110 const auto &dstColumn = mergeData.fDstDescriptor.GetColumnDescriptor(dstColumnId);
1111 info.fColumnType = dstColumn.GetType();
1112 mergeData.fColumnIdMap[info.fColumnName] = {info.fOutputId, info.fColumnType};
1113 }
1114
1115 if (mergeData.fMergeOpts.fExtraVerbose) {
1116 R__LOG_INFO(NTupleMergeLog()) << "Adding column " << info.fColumnName << " with log.id " << srcColumnId
1117 << ", phys.id " << srcColumn.GetPhysicalId() << ", type "
1118 << RColumnElementBase::GetColumnTypeName(srcColumn.GetType()) << " -> log.id "
1119 << info.fOutputId << ", type "
1121 }
1122
1123 // Since we disallow merging fields of different types, src and dstFieldDesc must have the same type name.
1124 assert(srcFieldDesc.GetTypeName() == dstFieldDesc.GetTypeName());
1125 info.fInMemoryType = ColumnInMemoryType(srcFieldDesc.GetTypeName(), info.fColumnType);
1126 columns.emplace_back(info);
1127 }
1128
1129 const auto &srcChildrenIds = srcFieldDesc.GetLinkIds();
1130 const auto &dstChildrenIds = dstFieldDesc.GetLinkIds();
1131 assert(srcChildrenIds.size() == dstChildrenIds.size());
1132 for (auto i = 0u; i < srcChildrenIds.size(); ++i) {
1133 const auto &srcChild = srcDesc.GetFieldDescriptor(srcChildrenIds[i]);
1134 const auto &dstChild = mergeData.fDstDescriptor.GetFieldDescriptor(dstChildrenIds[i]);
1136 }
1137}
1138
1139// Converts the fields comparison data to the corresponding column information.
1140// While doing so, it collects such information in `mergeData.fColumnIdMap`, which is used by later calls to this
1141// function to map already-seen column names to their chosen outputId, type and so on.
1142static RColumnInfoGroup GatherColumnInfos(const RDescriptorsComparison &descCmp, const ROOT::RNTupleDescriptor &srcDesc,
1144{
1145 RColumnInfoGroup res;
1146 for (const ROOT::RFieldDescriptor *field : descCmp.fExtraDstFields) {
1147 AddColumnsFromField(res.fExtraDstColumns, mergeData.fDstDescriptor, mergeData, *field, *field);
1148 }
1149 for (const auto &[srcField, dstField] : descCmp.fCommonFields) {
1150 AddColumnsFromField(res.fCommonColumns, srcDesc, mergeData, *srcField, *dstField);
1151 }
1152
1153 // Sort the commonColumns by ID so we can more easily tell how many common columns each cluster has
1154 // (since each cluster must contain all columns of the previous cluster plus potentially some new ones)
1155 std::sort(res.fCommonColumns.begin(), res.fCommonColumns.end(),
1156 [](const auto &a, const auto &b) { return a.fInputId < b.fInputId; });
1157
1158 return res;
1159}
1160
1162 ColumnIdMap_t &colIdMap, const std::string &prefix = "")
1163{
1164 std::string name = prefix + '.' + fieldDesc.GetFieldName();
1165 for (const auto &colId : fieldDesc.GetLogicalColumnIds()) {
1166 const auto &colDesc = desc.GetColumnDescriptor(colId);
1167 RColumnOutInfo info{};
1168 const auto colName = name + '.' + std::to_string(colDesc.GetIndex());
1169 info.fColumnId = colDesc.GetLogicalId();
1170 info.fColumnType = colDesc.GetType();
1172 }
1173
1174 for (const auto &subId : fieldDesc.GetLinkIds()) {
1175 const auto &subfield = desc.GetFieldDescriptor(subId);
1177 }
1178}
1179
1180RNTupleMerger::RNTupleMerger(std::unique_ptr<ROOT::Internal::RPagePersistentSink> destination,
1181 std::unique_ptr<ROOT::RNTupleModel> model)
1182 // TODO(gparolini): consider using an arena allocator instead, since we know the precise lifetime
1183 // of the RNTuples we are going to handle (e.g. we can reset the arena at every source)
1184 : fDestination(std::move(destination)),
1185 fPageAlloc(std::make_unique<ROOT::Internal::RPageAllocatorHeap>()),
1186 fModel(std::move(model))
1187{
1189
1190#ifdef R__USE_IMT
1193#endif
1194}
1195
1196RNTupleMerger::RNTupleMerger(std::unique_ptr<ROOT::Internal::RPagePersistentSink> destination)
1197 : RNTupleMerger(std::move(destination), nullptr)
1198{
1199}
1200
1202{
1204
1206
1207 // Set compression settings if unset and verify it's compatible with the sink
1208 {
1209 const auto dstCompSettings = fDestination->GetWriteOptions().GetCompression();
1210 if (!mergeOpts.fCompressionSettings) {
1211 mergeOpts.fCompressionSettings = dstCompSettings;
1212 } else if (*mergeOpts.fCompressionSettings != dstCompSettings) {
1213 return R__FAIL(std::string("The compression given to RNTupleMergeOptions is different from that of the "
1214 "sink! (opts: ") +
1215 std::to_string(*mergeOpts.fCompressionSettings) + ", sink: " + std::to_string(dstCompSettings) +
1216 ") This is currently unsupported.");
1217 }
1218 }
1219
1220 // we should have a model if and only if the destination is initialized.
1221 if (!!fModel != fDestination->IsInitialized()) {
1222 return R__FAIL(
1223 "passing an already-initialized destination to RNTupleMerger::Merge (i.e. trying to do incremental "
1224 "merging) can only be done by providing a valid ROOT::RNTupleModel when constructing the RNTupleMerger.");
1225 }
1226
1228 mergeData.fNumDstEntries = mergeData.fDestination.GetNEntries();
1229
1230 if (fModel) {
1231 // If this is an incremental merging, pre-fill the column id map with the existing destination ids.
1232 // Otherwise we would generate new output ids that may not match the ones in the destination!
1233 for (const auto &field : mergeData.fDstDescriptor.GetTopLevelFields()) {
1234 PrefillColumnMap(fDestination->GetDescriptor(), field, mergeData.fColumnIdMap);
1235 }
1236 }
1237
1238#define SKIP_OR_ABORT(errMsg) \
1239 do { \
1240 if (mergeOpts.fErrBehavior == ENTupleMergeErrBehavior::kSkip) { \
1241 R__LOG_WARNING(NTupleMergeLog()) << "Skipping RNTuple due to: " << (errMsg); \
1242 continue; \
1243 } else { \
1244 return R__FAIL(errMsg); \
1245 } \
1246 } while (0)
1247
1248 // Merge main loop
1249 for (RPageSource *source : sources) {
1250 // We need to make sure the streamer info from the source files is loaded otherwise we may not be able
1251 // to build the streamer info of user-defined types unless we have their dictionaries available.
1252 source->LoadStreamerInfo();
1253
1254 source->Attach(RNTupleSerializer::EDescriptorDeserializeMode::kForWriting);
1255 auto srcDescriptor = source->GetSharedDescriptorGuard();
1256 mergeData.fSrcDescriptor = &srcDescriptor.GetRef();
1257
1258 // Create sink from the input model if not initialized
1259 if (!fModel) {
1260 fModel = fDestination->InitFromDescriptor(srcDescriptor.GetRef(), false /* copyClusters */);
1261 }
1262
1263 for (const auto &extraTypeInfoDesc : srcDescriptor->GetExtraTypeInfoIterable())
1264 fDestination->UpdateExtraTypeInfo(extraTypeInfoDesc);
1265
1266 auto descCmpRes = CompareDescriptorStructure(mergeData.fDstDescriptor, srcDescriptor.GetRef());
1267 if (!descCmpRes) {
1268 SKIP_OR_ABORT(std::string("Source RNTuple has an incompatible schema with the destination:\n") +
1269 descCmpRes.GetError()->GetReport());
1270 }
1271 auto descCmp = descCmpRes.Unwrap();
1272
1273 // If the current source is missing some fields and we're not in Union mode, error
1274 // (if we are in Union mode, MergeSourceClusters will fill the missing fields with default values).
1275 if (mergeOpts.fMergingMode != ENTupleMergingMode::kUnion && !descCmp.fExtraDstFields.empty()) {
1276 std::string msg = "Source RNTuple is missing the following fields:";
1277 for (const auto *field : descCmp.fExtraDstFields) {
1278 msg += "\n " + field->GetFieldName() + " : " + field->GetTypeName();
1279 }
1281 }
1282
1283 // handle extra src fields
1284 if (descCmp.fExtraSrcFields.size()) {
1285 if (mergeOpts.fMergingMode == ENTupleMergingMode::kUnion) {
1286 // late model extension for all fExtraSrcFields in Union mode
1287 auto res = ExtendDestinationModel(descCmp.fExtraSrcFields, *fModel, mergeData, descCmp.fCommonFields);
1288 if (!res)
1289 return R__FORWARD_ERROR(res);
1290 } else if (mergeOpts.fMergingMode == ENTupleMergingMode::kStrict) {
1291 // If the current source has extra fields and we're in Strict mode, error
1292 std::string msg = "Source RNTuple has extra fields that the destination RNTuple doesn't have:";
1293 for (const auto *field : descCmp.fExtraSrcFields) {
1294 msg += "\n " + field->GetFieldName() + " : " + field->GetTypeName();
1295 }
1297 }
1298 }
1299
1300 // handle extra dst fields & common fields
1302 auto res = MergeSourceClusters(*source, columnInfos.fCommonColumns, columnInfos.fExtraDstColumns, mergeData);
1303 if (!res)
1304 return R__FORWARD_ERROR(res);
1305 } // end loop over sources
1306
1307 if (fDestination->GetNEntries() == 0)
1308 R__LOG_WARNING(NTupleMergeLog()) << "Output RNTuple '" << fDestination->GetNTupleName() << "' has no entries.";
1309
1310 // Commit the output
1311 fDestination->CommitClusterGroup();
1312 fDestination->CommitDataset();
1313
1314 return RResult<void>::Success();
1315}
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 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:67
Long64_t Merge(TCollection *input, TFileMergeInfo *mergeInfo)
RNTuple implements the hadd MergeFile interface Merge this NTuple with the input list entries.
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 ROOT file is an on-disk file, usually with extension .root, that stores objects in a file-system-li...
Definition TFile.h:131
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:41
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)
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