Logo ROOT  
Reference Guide
 
Loading...
Searching...
No Matches
RFile.cxx
Go to the documentation of this file.
1/// \file v7/src/RFile.cxx
2/// \ingroup Base ROOT7
3/// \author Giacomo Parolini <giacomo.parolini@cern.ch>
4/// \date 2025-03-19
5/// \warning This is part of the ROOT 7 prototype! It will change without notice. It might trigger earthquakes. Feedback
6/// is welcome!
7
8#include "ROOT/RFile.hxx"
9
10#include <ROOT/StringUtils.hxx>
11#include <ROOT/RLogger.hxx>
12#include <ROOT/RError.hxx>
13
14#include <Byteswap.h>
15#include <TError.h>
16#include <TFile.h>
17#include <TIterator.h>
18#include <TKey.h>
19#include <TList.h>
20#include <TROOT.h>
21
22#include <algorithm>
23#include <cstring>
24
30
33
34namespace {
35enum class ENameCycleError {
36 kNoError,
37 kAnyCycle,
38 kInvalidSyntax,
39 kCycleTooLarge,
40 kNameEmpty,
41 kCOUNT
42};
43
44struct RNameCycleResult {
45 std::string fName;
46 std::optional<std::int16_t> fCycle;
47 ENameCycleError fError;
48};
49} // namespace
50
51static const char *ToString(ENameCycleError err)
52{
53 static const char *const kErrorStr[] = {"", "", "invalid syntax", "cycle is too large", "name is empty"};
54 static_assert(std::size(kErrorStr) == static_cast<std::size_t>(ENameCycleError::kCOUNT));
55 return kErrorStr[static_cast<std::size_t>(err)];
56}
57
58static ENameCycleError DecodeNumericCycle(const char *str, std::optional<std::int16_t> &out)
59{
60 uint32_t res = 0;
61 do {
62 if (!isdigit(*str))
63 return ENameCycleError::kInvalidSyntax;
64 if (res * 10 > std::numeric_limits<std::int16_t>::max())
65 return ENameCycleError::kCycleTooLarge;
66 res *= 10;
67 res += *str - '0';
68 } while (*++str);
69
70 assert(res < std::numeric_limits<std::int16_t>::max());
71 out = static_cast<std::int16_t>(res);
72
73 return ENameCycleError::kNoError;
74}
75
76static RNameCycleResult DecodeNameCycle(std::string_view nameCycleRaw)
77{
78 RNameCycleResult result{};
79
80 if (nameCycleRaw.empty())
81 return result;
82
83 // Scan the string to find the name length and the semicolon
84 std::size_t semicolonIdx = nameCycleRaw.find_first_of(';');
85
86 if (semicolonIdx == 0) {
87 result.fError = ENameCycleError::kNameEmpty;
88 return result;
89 }
90
91 // Verify that we have at most one ';'
92 if (nameCycleRaw.substr(semicolonIdx + 1).find_first_of(';') != std::string_view::npos) {
93 result.fError = ENameCycleError::kInvalidSyntax;
94 return result;
95 }
96
97 result.fName = nameCycleRaw.substr(0, semicolonIdx);
98 if (semicolonIdx < std::string_view::npos) {
99 if (semicolonIdx == nameCycleRaw.length() - 1 && nameCycleRaw[semicolonIdx] == '*')
100 result.fError = ENameCycleError::kAnyCycle;
101 else
102 result.fError = DecodeNumericCycle(nameCycleRaw.substr(semicolonIdx + 1).data(), result.fCycle);
103 }
104
105 return result;
106}
107
108/// This function first validates, then normalizes the given path in place.
109///
110/// Returns an empty string if `path` is a suitable path to store an object into a RFile,
111/// otherwise returns a description of why that is not the case.
112///
113/// A valid object path must:
114/// - not be empty
115/// - not contain the character '.'
116/// - not contain ASCII control characters or whitespace characters (including tab or newline).
117/// - not contain more than RFile::kMaxPathNesting path fragments (i.e. more than RFile::kMaxPathNesting - 1 '/')
118/// - not end with a '/'
119///
120/// In addition, when *writing* an object to RFile, the character ';' is also banned.
121///
122/// Passing an invalid path to Put will cause it to throw an exception, and
123/// passing an invalid path to Get will always return nullptr.
124///
125/// If required, `path` is modified to make its hierarchy-related meaning consistent. This entails:
126/// - combining any consecutive '/' into a single one;
127/// - stripping any leading '/'.
128///
129static std::string ValidateAndNormalizePath(std::string &path)
130{
131 ////// First, validate path.
132
133 if (path.empty())
134 return "path cannot be empty";
135
136 if (path.back() == '/')
137 return "path cannot end with a '/'";
138
139 bool valid = true;
140 for (char ch : path) {
141 // Disallow control characters, tabs, newlines, whitespace and dot.
142 // NOTE: not short-circuiting or early returning to enable loop vectorization.
143 valid &= !(ch < 33 || ch == '.');
144 }
145 if (!valid)
146 return "path cannot contain control characters, whitespaces or dots";
147
148 //// Path is valid so far, normalize it.
149
150 // Strip all leading '/'
151 {
152 auto nToStrip = 0u;
153 const auto len = path.length();
154 while (nToStrip < len && path[nToStrip] == '/')
155 ++nToStrip;
156
157 if (nToStrip > 0)
158 path.erase(0, nToStrip);
159 }
160
161 // Remove duplicate consecutive '/'
162 const auto it = std::unique(path.begin(), path.end(), [](char a, char b) { return (a == '/' && b == '/'); });
163 path.erase(it, path.end());
164
165 //// After the path has been normalized, check the nesting level by counting how many slashes it contains.
166 const auto nesting = std::count(path.begin(), path.end(), '/');
167 if (nesting > RFile::kMaxPathNesting)
168 return "pathView contains too many levels of nesting";
169
170 return "";
171}
172
173static void EnsureFileOpenAndBinary(const TFile *tfile, std::string_view path)
174{
175 if (!tfile || tfile->IsZombie())
176 throw ROOT::RException(R__FAIL("failed to open file " + std::string(path) + " for reading"));
177
178 if (tfile->IsRaw() || !tfile->IsBinary() || tfile->IsArchive())
179 throw ROOT::RException(R__FAIL("Opened file " + std::string(path) + " is not a ROOT binary file"));
180}
181
182static std::string ReconstructFullKeyPath(const TKey &key)
183{
184 std::string path = key.GetName();
185 TDirectory *parent = key.GetMotherDir();
186 while (parent && parent->GetMotherDir()) {
187 path = std::string(parent->GetName()) + "/" + path;
188 parent = parent->GetMotherDir();
189 }
190 return path;
191}
192
193/////////////////////////////////////////////////////////////////////////////////////////////////
194std::pair<std::string_view, std::string_view> ROOT::Experimental::Detail::DecomposePath(std::string_view path)
195{
196 auto lastSlashIdx = path.rfind('/');
197 if (lastSlashIdx == std::string_view::npos)
198 return {{}, path};
199
200 auto dirName = path.substr(0, lastSlashIdx + 1);
201 auto pathName = path.substr(lastSlashIdx + 1);
202 return {dirName, pathName};
203}
204
205std::unique_ptr<RFile> RFile::Open(std::string_view path)
206{
207 TDirectory::TContext ctx(nullptr); // XXX: probably not thread safe?
208 auto tfile = std::unique_ptr<TFile>(TFile::Open(std::string(path).c_str(), "READ_WITHOUT_GLOBALREGISTRATION"));
209 EnsureFileOpenAndBinary(tfile.get(), path);
210
211 auto rfile = std::unique_ptr<RFile>(new RFile(std::move(tfile)));
212 return rfile;
213}
214
215std::unique_ptr<RFile> RFile::Update(std::string_view path)
216{
217 TDirectory::TContext ctx(nullptr); // XXX: probably not thread safe?
218 auto tfile = std::unique_ptr<TFile>(TFile::Open(std::string(path).c_str(), "UPDATE_WITHOUT_GLOBALREGISTRATION"));
219 EnsureFileOpenAndBinary(tfile.get(), path);
220
221 auto rfile = std::unique_ptr<RFile>(new RFile(std::move(tfile)));
222 return rfile;
223}
224
225std::unique_ptr<RFile> RFile::Recreate(std::string_view path, const RRecreateOptions &opts)
226{
227 TDirectory::TContext ctx(nullptr); // XXX: probably not thread safe?
228 auto tfile = std::unique_ptr<TFile>(
229 TFile::Open(std::string(path).c_str(), "RECREATE_WITHOUT_GLOBALREGISTRATION", "", opts.fCompressionSettings));
230 EnsureFileOpenAndBinary(tfile.get(), path);
231
232 auto rfile = std::unique_ptr<RFile>(new RFile(std::move(tfile)));
233 return rfile;
234}
235
236RFile::RFile(std::unique_ptr<TFile> file) : fFile(std::move(file)) {}
237
238RFile::~RFile() = default;
239
240TKey *RFile::GetTKey(std::string_view path) const
241{
242 // In RFile, differently from TFile, when dealing with a path like "a/b/c", we always consider it to mean
243 // "object 'c' in subdirectory 'b' of directory 'a'". We don't try to get any other of the possible combinations,
244 // including the object called "a/b/c".
245 std::string fullPath = std::string(path);
246 char *dirName = fullPath.data();
247 char *restOfPath = strchr(dirName, '/');
248 TDirectory *dir = fFile.get();
249 while (restOfPath) {
250 // Truncate `dirName` to the position of this '/'.
251 *restOfPath = 0;
252 ++restOfPath;
253 // `restOfPath` should always be a non-empty string unless `path` ends with '/' (which it shouldn't, as we are
254 // supposed to have normalized it before calling this function).
256
257 dir = dir->GetDirectory(dirName);
258 if (!dir)
259 return nullptr;
260
263 }
264 // NOTE: after this loop `dirName` contains the base name of the object.
265
266 // Get the leaf object from the innermost directory.
267 TKey *key = dir->FindKey(dirName);
268 if (key) {
269 // For some reason, FindKey will not return nullptr if we asked for a specific cycle and that cycle
270 // doesn't exist. It will instead return any key whose cycle is *at most* the requested one.
271 // This is very confusing, so in RFile we actually return null if the requested cycle is not there.
272 RNameCycleResult res = DecodeNameCycle(dirName);
273 if (res.fError != ENameCycleError::kAnyCycle) {
274 if (res.fError != ENameCycleError::kNoError) {
275 R__LOG_ERROR(RFileLog()) << "error decoding namecycle '" << dirName << "': " << ToString(res.fError);
276 key = nullptr;
277 } else if (res.fCycle && *res.fCycle != key->GetCycle()) {
278 key = nullptr;
279 }
280 }
281 }
282 return key;
283}
284
285void *RFile::GetUntyped(std::string_view path,
286 std::variant<const char *, std::reference_wrapper<const std::type_info>> type) const
287{
288 if (!fFile)
289 throw ROOT::RException(R__FAIL("File has been closed"));
290
291 std::string pathStr{path};
292
293 struct {
294 TClass *operator()(const char *name) { return TClass::GetClass(name); }
295 TClass *operator()(std::reference_wrapper<const std::type_info> ty) { return TClass::GetClass(ty.get()); }
296 } typeVisitor;
297 const TClass *cls = std::visit(std::move(typeVisitor), type);
298
299 if (!cls)
300 throw ROOT::RException(R__FAIL(std::string("Could not determine type of object ") + pathStr));
301
302 if (auto err = ValidateAndNormalizePath(pathStr); !err.empty())
303 throw RException(R__FAIL("Invalid object pathStr '" + pathStr + "': " + err));
304
305 TKey *key = GetTKey(pathStr);
306 void *obj = key ? key->ReadObjectAny(cls) : nullptr;
307
308 if (obj) {
309 // Disavow any ownership on `obj` unless the object is a TTree, in which case we need to link it to our internal
310 // file for it to be usable.
311 if (auto autoAddFunc = cls->GetDirectoryAutoAdd()) {
312 if (cls->InheritsFrom("TTree")) {
313 autoAddFunc(obj, fFile.get());
314 // NOTE(gparolini): this is a hacky but effective way of preventing the Tree from being deleted by
315 // the internal TFile once we close it. We need to avoid that because this TTree will be returned inside
316 // a unique_ptr and would end up being double-freed if we allowed ROOT to do its own memory management.
318 } else {
319 autoAddFunc(obj, nullptr);
320 }
321 }
322 } else if (key) {
323 R__LOG_INFO(RFileLog()) << "Tried to get object '" << path << "' of type " << cls->GetName()
324 << " but that path contains an object of type " << key->GetClassName();
325 }
326
327 return obj;
328}
329
330void RFile::PutUntyped(std::string_view pathSV, const std::type_info &type, const void *obj, std::uint32_t flags)
331{
333 if (!cls)
334 throw ROOT::RException(R__FAIL(std::string("Could not determine type of object ") + std::string(pathSV)));
335
336 std::string path{pathSV};
337 if (auto err = ValidateAndNormalizePath(path); !err.empty())
338 throw RException(R__FAIL("Invalid object path '" + path + "': " + err));
339
340 if (path.find_first_of(';') != std::string_view::npos) {
341 throw RException(
342 R__FAIL("Invalid object path '" + path +
343 "': character ';' is used to specify an object cycle, which only makes sense when reading."));
344 }
345
346 if (!fFile)
347 throw ROOT::RException(R__FAIL("File has been closed"));
348
349 if (!fFile->IsWritable())
350 throw ROOT::RException(R__FAIL("File is not writable"));
351
352 // If `path` refers to a subdirectory, make sure we always write in an actual TDirectory,
353 // otherwise we may have a mix of top-level objects called "a/b/c" and actual directory
354 // structures.
355 // Sadly, TFile does nothing to prevent this and will happily write "a/b" even if there
356 // is already a directory "a" containing an object "b". We don't want that ambiguity here, so we take extra steps
357 // to ensure it doesn't happen.
358 const auto tokens = ROOT::Split(path, "/");
359 const auto FullPathUntil = [&tokens](auto idx) {
360 return ROOT::Join("/", std::span<const std::string>{tokens.data(), idx + 1});
361 };
362 TDirectory *dir = fFile.get();
363 for (auto tokIdx = 0u; tokIdx < tokens.size() - 1; ++tokIdx) {
364 // Alas, not only does mkdir not fail if the file already contains an object "a/b" and you try
365 // to create dir "a", but even when it does fail it doesn't tell you why.
366 // We obviously don't want to allow the coexistence of regular object named "a/b" and the directory
367 // named "a", so we manually check if each level of nesting doesn't exist already as a non-directory.
368 const TKey *existing = dir->GetKey(tokens[tokIdx].c_str());
369 if (existing && strcmp(existing->GetClassName(), "TDirectory") != 0 &&
370 strcmp(existing->GetClassName(), "TDirectoryFile") != 0) {
371 throw ROOT::RException(R__FAIL("error adding object '" + path + "': failed to create directory '" +
372 FullPathUntil(tokIdx) + "': name already taken by an object of type '" +
373 existing->GetClassName() + "'"));
374 }
375 dir = dir->mkdir(tokens[tokIdx].c_str(), "", true);
376 if (!dir) {
377 throw ROOT::RException(R__FAIL(std::string("failed to create directory ") + FullPathUntil(tokIdx)));
378 }
379 }
380
381 const bool allowOverwrite = (flags & kPutAllowOverwrite) != 0;
382 const bool backupCycle = (flags & kPutOverwriteKeepCycle) != 0;
383 const Option_t *writeOpts = "";
384 if (!allowOverwrite) {
385 const TKey *existing = dir->GetKey(tokens[tokens.size() - 1].c_str());
386 if (existing) {
387 throw ROOT::RException(R__FAIL(std::string("trying to overwrite object ") + path + " of type " +
388 existing->GetClassName() + " with another object of type " + cls->GetName()));
389 }
390 } else if (!backupCycle) {
391 writeOpts = "WriteDelete";
392 }
393
394 int success = dir->WriteObjectAny(obj, cls, tokens[tokens.size() - 1].c_str(), writeOpts);
395
396 if (!success) {
397 throw ROOT::RException(R__FAIL(std::string("Failed to write ") + path + " to file"));
398 }
399}
400
402 : fIter(it), fDirPath(path)
403{
404}
405
407
409 : fPattern(pattern), fFlags(flags)
410{
411 if (iter) {
412 fIterStack.emplace_back(iter);
413
414 if (!pattern.empty()) {
415 fRootDirNesting = std::count(pattern.begin(), pattern.end(), '/');
416 // `pattern` may or may not end with '/', but we consider it a directory regardless.
417 // In other words, like in virtually all filesystem operations, "dir" and "dir/" are equivalent.
418 fRootDirNesting += pattern.back() != '/';
419 }
420
421 // Advance the iterator to skip the first key, which is always the TFile key.
422 // This will also skip keys until we reach the first correct key we want to return.
423 Advance();
424 }
425}
426
431
436
438{
439 fCurKey = nullptr;
440
443 const bool includeDirs = fFlags & RFile::kListDirs;
444
445 // We only want to return keys that refer to user objects, not internal ones, therefore we skip
446 // all keys that have internal class names.
447 while (!fIterStack.empty()) {
448 auto &[iter, dirPath] = fIterStack.back();
449 assert(iter);
450 TObject *keyObj = iter->Next();
451 if (!keyObj) {
452 // reached end of the iteration
453 fIterStack.pop_back();
454 continue;
455 }
456
457 assert(keyObj->IsA() == TClass::GetClass<TKey>());
458 auto key = static_cast<TKey *>(keyObj);
459
460 const std::string dirSep = (dirPath.empty() ? "" : "/");
461 const bool isDir = TClass::GetClass(key->GetClassName())->InheritsFrom(TDirectory::Class());
462
463 if (isDir) {
464 TDirectory *dir = key->ReadObject<TDirectory>();
465 TIterator *innerIter = dir->GetListOfKeys()->MakeIterator();
467 fIterStack.emplace_back(innerIter, dirPath + dirSep + dir->GetName());
468 if (!includeDirs)
469 continue;
470 } else if (!includeObj) {
471 continue;
472 }
473
474 // Reconstruct the full path of the key
475 const std::string &fullPath = dirPath + dirSep + key->GetName();
476 assert(!fIterStack.empty());
477 const std::size_t nesting = fIterStack.size() - 1;
478
479 // Skip key if it's not a child of root dir
481 continue;
482
483 // Check that we are in the same directory as "rootDir".
484 // Note that for directories we list both the root dir and the immediate children (in non-recursive mode).
485 if (!recursive && nesting != fRootDirNesting &&
486 (!isDir || nesting != static_cast<std::size_t>(fRootDirNesting + 1)))
487 continue;
488
489 // All checks passed: return this key.
490 assert(!fullPath.empty());
491 fCurKey = key;
492 break;
493 }
494}
495
497{
498 if (fIterStack.empty())
499 throw ROOT::RException(R__FAIL("tried to dereference an invalid iterator"));
500
501 const TKey *key = fCurKey;
502 if (!key)
503 throw ROOT::RException(R__FAIL("tried to dereference an invalid iterator"));
504
505 const bool isDir =
506 strcmp(key->GetClassName(), "TDirectory") == 0 || strcmp(key->GetClassName(), "TDirectoryFile") == 0;
507 const auto &dirPath = fIterStack.back().fDirPath;
508
511 keyInfo.fPath = dirPath;
512 if (!isDir)
513 keyInfo.fPath += std::string(dirPath.empty() ? "" : "/") + key->GetName();
514 keyInfo.fClassName = key->GetClassName();
515 keyInfo.fCycle = key->GetCycle();
516 keyInfo.fTitle = key->GetTitle();
517 return keyInfo;
518}
519
520void RFile::Print(std::ostream &out) const
521{
522 std::vector<RKeyInfo> keys;
523 auto keysIter = ListKeys();
524 for (const auto &key : keysIter) {
525 keys.emplace_back(key);
526 }
527
528 std::sort(keys.begin(), keys.end(), [](const auto &a, const auto &b) { return a.GetPath() < b.GetPath(); });
529 for (const auto &key : keys) {
530 out << key.GetClassName() << " " << key.GetPath() << ";" << key.GetCycle() << ": \"" << key.GetTitle() << "\"\n";
531 }
532}
533
535{
536 return fFile->Write();
537}
538
540{
541 // NOTE: this also flushes the file internally
542 fFile.reset();
543}
544
546 : fPath(ReconstructFullKeyPath(key)),
547 fTitle(key.GetTitle()),
548 fClassName(key.GetClassName()),
549 fCycle(key.GetCycle()),
550 fLenObj(key.GetObjlen()),
551 fNBytesObj(key.GetNbytes() - key.GetKeylen()),
552 fNBytesKey(key.GetKeylen()),
553 fSeekKey(key.GetSeekKey()),
554 fSeekParentDir(key.GetSeekPdir())
555{
556}
557
558std::optional<ROOT::Experimental::RKeyInfo> RFile::GetKeyInfo(std::string_view path) const
559{
560 const TKey *key = GetTKey(path);
561 if (!key)
562 return {};
563
564 RKeyInfo keyInfo(*key);
565 return keyInfo;
566}
567
569{
570 void *obj = file.GetUntyped(key.GetPath(), key.GetClassName().c_str());
571 return obj;
572}
573
575{
576 return file.fFile.get();
577}
578
#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
static const char * ToString(ENameCycleError err)
Definition RFile.cxx:51
static ENameCycleError DecodeNumericCycle(const char *str, std::optional< std::int16_t > &out)
Definition RFile.cxx:58
static void EnsureFileOpenAndBinary(const TFile *tfile, std::string_view path)
Definition RFile.cxx:173
static std::string ReconstructFullKeyPath(const TKey &key)
Definition RFile.cxx:182
static RNameCycleResult DecodeNameCycle(std::string_view nameCycleRaw)
Definition RFile.cxx:76
static std::string ValidateAndNormalizePath(std::string &path)
This function first validates, then normalizes the given path in place.
Definition RFile.cxx:129
#define R__LOG_ERROR(...)
Definition RLogger.hxx:357
#define R__LOG_INFO(...)
Definition RLogger.hxx:359
#define b(i)
Definition RSha256.hxx:100
#define a(i)
Definition RSha256.hxx:99
const char Option_t
Option string (const char)
Definition RtypesCore.h:80
ROOT::Detail::TRangeCast< T, true > TRangeDynCast
TRangeDynCast is an adapter class that allows the typed iteration through a TCollection.
Option_t Option_t TPoint TPoint const char GetTextMagnitude GetFillStyle GetLineColor GetLineWidth GetMarkerStyle GetTextAlign GetTextColor GetTextSize void char Point_t Rectangle_t WindowAttributes_t Float_t Float_t Float_t Int_t Int_t UInt_t UInt_t Rectangle_t result
Option_t Option_t TPoint TPoint const char GetTextMagnitude GetFillStyle GetLineColor GetLineWidth GetMarkerStyle GetTextAlign GetTextColor GetTextSize void char Point_t Rectangle_t WindowAttributes_t Float_t Float_t Float_t Int_t Int_t UInt_t UInt_t Rectangle_t Int_t Int_t Window_t TString Int_t GCValues_t GetPrimarySelectionOwner GetDisplay GetScreen GetColormap GetNativeEvent const char const char dpyName wid window const char font_name cursor keysym reg const char only_if_exist regb h Point_t winding char text const char depth char const char Int_t count const char ColorStruct_t color const char Pixmap_t Pixmap_t PictureAttributes_t attr const char char ret_data h unsigned char height h Atom_t Int_t ULong_t ULong_t unsigned char prop_list Atom_t Atom_t Atom_t Time_t UChar_t len
Option_t Option_t TPoint TPoint const char GetTextMagnitude GetFillStyle GetLineColor GetLineWidth GetMarkerStyle GetTextAlign GetTextColor GetTextSize void char Point_t Rectangle_t WindowAttributes_t Float_t Float_t Float_t Int_t Int_t UInt_t UInt_t Rectangle_t Int_t Int_t Window_t TString Int_t GCValues_t GetPrimarySelectionOwner GetDisplay GetScreen GetColormap GetNativeEvent const char const char dpyName wid window const char font_name cursor keysym reg const char only_if_exist regb h Point_t winding char text const char depth char const char Int_t count const char ColorStruct_t color const char Pixmap_t Pixmap_t PictureAttributes_t attr const char char ret_data h unsigned char height h Atom_t Int_t ULong_t ULong_t unsigned char prop_list Atom_t Atom_t Atom_t Time_t type
char name[80]
Definition TGX11.cxx:110
TRObject operator()(const T1 &t1) const
std::deque< RIterStackElem > fIterStack
Definition RFile.hxx:149
RIterator(TIterator *iter, Pattern_t pattern, std::uint32_t flags)
Definition RFile.cxx:408
An interface to read from, or write to, a ROOT file, as well as performing other common operations.
Definition RFile.hxx:250
void Close()
Flushes the RFile if needed and closes it, disallowing any further reading or writing.
Definition RFile.cxx:539
std::unique_ptr< TFile > fFile
Definition RFile.hxx:262
size_t Flush()
Writes all objects and the file structure to disk.
Definition RFile.cxx:534
static std::unique_ptr< RFile > Update(std::string_view path)
Opens the file for updating, creating a new one if it doesn't exist.
Definition RFile.cxx:215
void Print(std::ostream &out=std::cout) const
Prints the internal structure of this RFile to the given stream.
Definition RFile.cxx:520
TKey * GetTKey(std::string_view path) const
Given path, returns the TKey corresponding to the object at that path (assuming the path is fully spl...
Definition RFile.cxx:240
std::optional< RKeyInfo > GetKeyInfo(std::string_view path) const
Retrieves information about the key of object at path, if one exists.
Definition RFile.cxx:558
void * GetUntyped(std::string_view path, std::variant< const char *, std::reference_wrapper< const std::type_info > > type) const
Gets object path from the file and returns an owning pointer to it.
Definition RFile.cxx:285
static std::unique_ptr< RFile > Recreate(std::string_view path, const RRecreateOptions &opts=RRecreateOptions())
Opens the file for reading/writing, overwriting it if it already exists.
Definition RFile.cxx:225
void PutUntyped(std::string_view path, const std::type_info &type, const void *obj, std::uint32_t flags)
Writes obj to file, without taking its ownership.
Definition RFile.cxx:330
@ kPutOverwriteKeepCycle
When overwriting an object, preserve the existing one and create a new cycle, rather than removing it...
Definition RFile.hxx:259
@ kPutAllowOverwrite
When encountering an object at the specified path, overwrite it with the new one instead of erroring ...
Definition RFile.hxx:257
RFile(std::unique_ptr< TFile > file)
Definition RFile.cxx:236
Information about an RFile object's Key.
Definition RFile.hxx:70
const std::string & GetClassName() const
Definition RFile.hxx:103
const std::string & GetPath() const
Returns the absolute path of this key, i.e. the directory part plus the object name.
Definition RFile.hxx:99
Base class for all ROOT issued exceptions.
Definition RError.hxx:79
A log configuration for a channel, e.g.
Definition RLogger.hxx:98
TClass instances represent classes, structs and namespaces in the ROOT type system.
Definition TClass.h:84
static TClass * GetClass(const char *name, Bool_t load=kTRUE, Bool_t silent=kFALSE)
Static method returning pointer to TClass of the specified class name.
Definition TClass.cxx:2973
TList * GetListOfKeys() const override
TDirectory::TContext keeps track and restore the current directory.
Definition TDirectory.h:89
Describe directory structure in memory.
Definition TDirectory.h:45
static TClass * Class()
virtual TDirectory * GetDirectory(const char *namecycle, Bool_t printError=false, const char *funcname="GetDirectory")
Find a directory using apath.
virtual Int_t WriteObjectAny(const void *, const char *, const char *, Option_t *="", Int_t=0)
Definition TDirectory.h:301
virtual TKey * GetKey(const char *, Short_t=9999) const
Definition TDirectory.h:222
virtual TKey * FindKey(const char *) const
Definition TDirectory.h:198
virtual TDirectory * mkdir(const char *name, const char *title="", Bool_t returnExistingDirectory=kFALSE)
Create a sub-directory "a" or a hierarchy of sub-directories "a/b/c/...".
virtual TList * GetListOfKeys() const
Definition TDirectory.h:224
TDirectory * GetMotherDir() const
Definition TDirectory.h:226
A ROOT file is an on-disk file, usually with extension .root, that stores objects in a file-system-li...
Definition TFile.h:130
Bool_t IsBinary() const
Definition TFile.h:347
Bool_t IsRaw() const
Definition TFile.h:348
Int_t Write(const char *name=nullptr, Int_t opt=0, Int_t bufsize=0) override
Write memory objects to this file.
Definition TFile.cxx:2466
virtual Bool_t IsArchive() const
Definition TFile.h:346
static TFile * Open(const char *name, Option_t *option="", const char *ftitle="", Int_t compress=ROOT::RCompressionSetting::EDefaults::kUseCompiledDefault, Int_t netopt=0)
Create / open a file.
Definition TFile.cxx:3765
Iterator abstract base class.
Definition TIterator.h:30
Book space in a file, create I/O buffers, to fill them, (un)compress them.
Definition TKey.h:28
const char * GetTitle() const override
Returns title (title can contain 32x32 xpm thumbnail/icon).
Definition TKey.cxx:1503
virtual const char * GetClassName() const
Definition TKey.h:77
virtual void * ReadObjectAny(const TClass *expectedClass)
To read an object (non deriving from TObject) from the file.
Definition TKey.cxx:1030
TDirectory * GetMotherDir() const
Definition TKey.h:87
Short_t GetCycle() const
Return cycle number associated to this key.
Definition TKey.cxx:610
TIterator * MakeIterator(Bool_t dir=kIterForward) const override
Return a list iterator.
Definition TList.cxx:852
const char * GetName() const override
Returns name of object.
Definition TNamed.h:49
Mother of all ROOT objects.
Definition TObject.h:42
R__ALWAYS_INLINE Bool_t IsZombie() const
Definition TObject.h:161
std::pair< std::string_view, std::string_view > DecomposePath(std::string_view path)
Given a "path-like" string (like foo/bar/baz), returns a pair { dirName, baseName }.
Definition RFile.cxx:194
ROOT::RLogChannel & RFileLog()
Definition RFile.cxx:25
void * RFile_GetObjectFromKey(RFile &file, const RKeyInfo &key)
Returns an owning pointer to the object referenced by key.
Definition RFile.cxx:568
TFile * GetRFileTFile(RFile &rfile)
Definition RFile.cxx:574
void MarkTObjectAsNotOnHeap(TObject &obj)
Definition TObject.cxx:1270
std::string Join(const std::string &sep, StringCollection_t &&strings)
Concatenate a list of strings with a separator.
bool StartsWith(std::string_view string, std::string_view prefix)
std::vector< std::string > Split(std::string_view str, std::string_view delims, bool skipEmpty=false)
Splits a string at each character in delims.
RIterStackElem(TIterator *it, const std::string &path="")
Definition RFile.cxx:401