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/RError.hxx>
12
13#include <Byteswap.h>
14#include <TError.h>
15#include <TFile.h>
16#include <TIterator.h>
17#include <TKey.h>
18#include <TList.h>
19#include <TROOT.h>
20
21#include <algorithm>
22#include <cstring>
23
29
32
33namespace {
34enum class ENameCycleError {
35 kNoError,
36 kAnyCycle,
37 kInvalidSyntax,
38 kCycleTooLarge,
39 kNameEmpty,
40 kCOUNT
41};
42
43struct RNameCycleResult {
44 std::string fName;
45 std::optional<std::int16_t> fCycle;
46 ENameCycleError fError;
47};
48} // namespace
49
50static const char *ToString(ENameCycleError err)
51{
52 static const char *const kErrorStr[] = {"", "", "invalid syntax", "cycle is too large", "name is empty"};
53 static_assert(std::size(kErrorStr) == static_cast<std::size_t>(ENameCycleError::kCOUNT));
54 return kErrorStr[static_cast<std::size_t>(err)];
55}
56
57static ENameCycleError DecodeNumericCycle(const char *str, std::optional<std::int16_t> &out)
58{
59 uint32_t res = 0;
60 do {
61 if (!isdigit(*str))
62 return ENameCycleError::kInvalidSyntax;
63 if (res * 10 > std::numeric_limits<std::int16_t>::max())
64 return ENameCycleError::kCycleTooLarge;
65 res *= 10;
66 res += *str - '0';
67 } while (*++str);
68
69 assert(res < std::numeric_limits<std::int16_t>::max());
70 out = static_cast<std::int16_t>(res);
71
72 return ENameCycleError::kNoError;
73}
74
75static RNameCycleResult DecodeNameCycle(std::string_view nameCycleRaw)
76{
77 RNameCycleResult result{};
78
79 if (nameCycleRaw.empty())
80 return result;
81
82 // Scan the string to find the name length and the semicolon
83 std::size_t semicolonIdx = nameCycleRaw.find_first_of(';');
84
85 if (semicolonIdx == 0) {
86 result.fError = ENameCycleError::kNameEmpty;
87 return result;
88 }
89
90 // Verify that we have at most one ';'
91 if (nameCycleRaw.substr(semicolonIdx + 1).find_first_of(';') != std::string_view::npos) {
92 result.fError = ENameCycleError::kInvalidSyntax;
93 return result;
94 }
95
96 result.fName = nameCycleRaw.substr(0, semicolonIdx);
97 if (semicolonIdx < std::string_view::npos) {
98 if (semicolonIdx == nameCycleRaw.length() - 1 && nameCycleRaw[semicolonIdx] == '*')
99 result.fError = ENameCycleError::kAnyCycle;
100 else
101 result.fError = DecodeNumericCycle(nameCycleRaw.substr(semicolonIdx + 1).data(), result.fCycle);
102 }
103
104 return result;
105}
106
107/// This function first validates, then normalizes the given path in place.
108///
109/// Returns an empty string if `path` is a suitable path to store an object into a RFile,
110/// otherwise returns a description of why that is not the case.
111///
112/// A valid object path must:
113/// - not be empty
114/// - not contain the character '.'
115/// - not contain ASCII control characters or whitespace characters (including tab or newline).
116/// - not contain more than RFile::kMaxPathNesting path fragments (i.e. more than RFile::kMaxPathNesting - 1 '/')
117/// - not end with a '/'
118///
119/// In addition, when *writing* an object to RFile, the character ';' is also banned.
120///
121/// Passing an invalid path to Put will cause it to throw an exception, and
122/// passing an invalid path to Get will always return nullptr.
123///
124/// If required, `path` is modified to make its hierarchy-related meaning consistent. This entails:
125/// - combining any consecutive '/' into a single one;
126/// - stripping any leading '/'.
127///
128static std::string ValidateAndNormalizePath(std::string &path)
129{
130 ////// First, validate path.
131
132 if (path.empty())
133 return "path cannot be empty";
134
135 if (path.back() == '/')
136 return "path cannot end with a '/'";
137
138 bool valid = true;
139 for (char ch : path) {
140 // Disallow control characters, tabs, newlines, whitespace and dot.
141 // NOTE: not short-circuiting or early returning to enable loop vectorization.
142 valid &= !(ch < 33 || ch == '.');
143 }
144 if (!valid)
145 return "path cannot contain control characters, whitespaces or dots";
146
147 //// Path is valid so far, normalize it.
148
149 // Strip all leading '/'
150 {
151 auto nToStrip = 0u;
152 const auto len = path.length();
153 while (nToStrip < len && path[nToStrip] == '/')
154 ++nToStrip;
155
156 if (nToStrip > 0)
157 path.erase(0, nToStrip);
158 }
159
160 // Remove duplicate consecutive '/'
161 const auto it = std::unique(path.begin(), path.end(), [](char a, char b) { return (a == '/' && b == '/'); });
162 path.erase(it, path.end());
163
164 //// After the path has been normalized, check the nesting level by counting how many slashes it contains.
165 const auto nesting = std::count(path.begin(), path.end(), '/');
166 if (nesting > RFile::kMaxPathNesting)
167 return "pathView contains too many levels of nesting";
168
169 return "";
170}
171
172static void EnsureFileOpenAndBinary(const TFile *tfile, std::string_view path)
173{
174 if (!tfile || tfile->IsZombie())
175 throw ROOT::RException(R__FAIL("failed to open file " + std::string(path) + " for reading"));
176
177 if (tfile->IsRaw() || !tfile->IsBinary() || tfile->IsArchive())
178 throw ROOT::RException(R__FAIL("Opened file " + std::string(path) + " is not a ROOT binary file"));
179}
180
181static std::string ReconstructFullKeyPath(const TKey &key)
182{
183 std::string path = key.GetName();
184 TDirectory *parent = key.GetMotherDir();
185 while (parent && parent->GetMotherDir()) {
186 path = std::string(parent->GetName()) + "/" + path;
187 parent = parent->GetMotherDir();
188 }
189 return path;
190}
191
192/////////////////////////////////////////////////////////////////////////////////////////////////
193std::pair<std::string_view, std::string_view> ROOT::Experimental::Detail::DecomposePath(std::string_view path)
194{
195 auto lastSlashIdx = path.rfind('/');
196 if (lastSlashIdx == std::string_view::npos)
197 return {{}, path};
198
199 auto dirName = path.substr(0, lastSlashIdx + 1);
200 auto pathName = path.substr(lastSlashIdx + 1);
201 return {dirName, pathName};
202}
203
204std::unique_ptr<RFile> RFile::Open(std::string_view path)
205{
206 TDirectory::TContext ctx(nullptr); // XXX: probably not thread safe?
207 auto tfile = std::unique_ptr<TFile>(TFile::Open(std::string(path).c_str(), "READ_WITHOUT_GLOBALREGISTRATION"));
208 EnsureFileOpenAndBinary(tfile.get(), path);
209
210 auto rfile = std::unique_ptr<RFile>(new RFile(std::move(tfile)));
211 return rfile;
212}
213
214std::unique_ptr<RFile> RFile::Update(std::string_view path)
215{
216 TDirectory::TContext ctx(nullptr); // XXX: probably not thread safe?
217 auto tfile = std::unique_ptr<TFile>(TFile::Open(std::string(path).c_str(), "UPDATE_WITHOUT_GLOBALREGISTRATION"));
218 EnsureFileOpenAndBinary(tfile.get(), path);
219
220 auto rfile = std::unique_ptr<RFile>(new RFile(std::move(tfile)));
221 return rfile;
222}
223
224std::unique_ptr<RFile> RFile::Recreate(std::string_view path)
225{
226 TDirectory::TContext ctx(nullptr); // XXX: probably not thread safe?
227 auto tfile = std::unique_ptr<TFile>(TFile::Open(std::string(path).c_str(), "RECREATE_WITHOUT_GLOBALREGISTRATION"));
228 EnsureFileOpenAndBinary(tfile.get(), path);
229
230 auto rfile = std::unique_ptr<RFile>(new RFile(std::move(tfile)));
231 return rfile;
232}
233
234RFile::RFile(std::unique_ptr<TFile> file) : fFile(std::move(file)) {}
235
236RFile::~RFile() = default;
237
238TKey *RFile::GetTKey(std::string_view path) const
239{
240 // In RFile, differently from TFile, when dealing with a path like "a/b/c", we always consider it to mean
241 // "object 'c' in subdirectory 'b' of directory 'a'". We don't try to get any other of the possible combinations,
242 // including the object called "a/b/c".
243 std::string fullPath = std::string(path);
244 char *dirName = fullPath.data();
245 char *restOfPath = strchr(dirName, '/');
246 TDirectory *dir = fFile.get();
247 while (restOfPath) {
248 // Truncate `dirName` to the position of this '/'.
249 *restOfPath = 0;
250 ++restOfPath;
251 // `restOfPath` should always be a non-empty string unless `path` ends with '/' (which it shouldn't, as we are
252 // supposed to have normalized it before calling this function).
254
255 dir = dir->GetDirectory(dirName);
256 if (!dir)
257 return nullptr;
258
261 }
262 // NOTE: after this loop `dirName` contains the base name of the object.
263
264 // Get the leaf object from the innermost directory.
265 TKey *key = dir->FindKey(dirName);
266 if (key) {
267 // For some reason, FindKey will not return nullptr if we asked for a specific cycle and that cycle
268 // doesn't exist. It will instead return any key whose cycle is *at most* the requested one.
269 // This is very confusing, so in RFile we actually return null if the requested cycle is not there.
270 RNameCycleResult res = DecodeNameCycle(dirName);
271 if (res.fError != ENameCycleError::kAnyCycle) {
272 if (res.fError != ENameCycleError::kNoError) {
273 R__LOG_ERROR(RFileLog()) << "error decoding namecycle '" << dirName << "': " << ToString(res.fError);
274 key = nullptr;
275 } else if (res.fCycle && *res.fCycle != key->GetCycle()) {
276 key = nullptr;
277 }
278 }
279 }
280 return key;
281}
282
283void *RFile::GetUntyped(std::string_view path,
284 std::variant<const char *, std::reference_wrapper<const std::type_info>> type) const
285{
286 if (!fFile)
287 throw ROOT::RException(R__FAIL("File has been closed"));
288
289 std::string pathStr{path};
290
291 struct {
292 TClass *operator()(const char *name) { return TClass::GetClass(name); }
293 TClass *operator()(std::reference_wrapper<const std::type_info> ty) { return TClass::GetClass(ty.get()); }
294 } typeVisitor;
295 const TClass *cls = std::visit(std::move(typeVisitor), type);
296
297 if (!cls)
298 throw ROOT::RException(R__FAIL(std::string("Could not determine type of object ") + pathStr));
299
300 if (auto err = ValidateAndNormalizePath(pathStr); !err.empty())
301 throw RException(R__FAIL("Invalid object pathStr '" + pathStr + "': " + err));
302
303 TKey *key = GetTKey(pathStr);
304 void *obj = key ? key->ReadObjectAny(cls) : nullptr;
305
306 if (obj) {
307 // Disavow any ownership on `obj`
308 if (auto autoAddFunc = cls->GetDirectoryAutoAdd(); autoAddFunc) {
309 autoAddFunc(obj, nullptr);
310 }
311 } else if (key) {
312 R__LOG_INFO(RFileLog()) << "Tried to get object '" << path << "' of type " << cls->GetName()
313 << " but that path contains an object of type " << key->GetClassName();
314 }
315
316 return obj;
317}
318
319void RFile::PutUntyped(std::string_view pathSV, const std::type_info &type, const void *obj, std::uint32_t flags)
320{
322 if (!cls)
323 throw ROOT::RException(R__FAIL(std::string("Could not determine type of object ") + std::string(pathSV)));
324
325 std::string path{pathSV};
326 if (auto err = ValidateAndNormalizePath(path); !err.empty())
327 throw RException(R__FAIL("Invalid object path '" + path + "': " + err));
328
329 if (path.find_first_of(';') != std::string_view::npos) {
330 throw RException(
331 R__FAIL("Invalid object path '" + path +
332 "': character ';' is used to specify an object cycle, which only makes sense when reading."));
333 }
334
335 if (!fFile)
336 throw ROOT::RException(R__FAIL("File has been closed"));
337
338 if (!fFile->IsWritable())
339 throw ROOT::RException(R__FAIL("File is not writable"));
340
341 // If `path` refers to a subdirectory, make sure we always write in an actual TDirectory,
342 // otherwise we may have a mix of top-level objects called "a/b/c" and actual directory
343 // structures.
344 // Sadly, TFile does nothing to prevent this and will happily write "a/b" even if there
345 // is already a directory "a" containing an object "b". We don't want that ambiguity here, so we take extra steps
346 // to ensure it doesn't happen.
347 const auto tokens = ROOT::Split(path, "/");
348 const auto FullPathUntil = [&tokens](auto idx) {
349 return ROOT::Join("/", std::span<const std::string>{tokens.data(), idx + 1});
350 };
351 TDirectory *dir = fFile.get();
352 for (auto tokIdx = 0u; tokIdx < tokens.size() - 1; ++tokIdx) {
353 // Alas, not only does mkdir not fail if the file already contains an object "a/b" and you try
354 // to create dir "a", but even when it does fail it doesn't tell you why.
355 // We obviously don't want to allow the coexistence of regular object named "a/b" and the directory
356 // named "a", so we manually check if each level of nesting doesn't exist already as a non-directory.
357 const TKey *existing = dir->GetKey(tokens[tokIdx].c_str());
358 if (existing && strcmp(existing->GetClassName(), "TDirectory") != 0 &&
359 strcmp(existing->GetClassName(), "TDirectoryFile") != 0) {
360 throw ROOT::RException(R__FAIL("error adding object '" + path + "': failed to create directory '" +
361 FullPathUntil(tokIdx) + "': name already taken by an object of type '" +
362 existing->GetClassName() + "'"));
363 }
364 dir = dir->mkdir(tokens[tokIdx].c_str(), "", true);
365 if (!dir) {
366 throw ROOT::RException(R__FAIL(std::string("failed to create directory ") + FullPathUntil(tokIdx)));
367 }
368 }
369
370 const bool allowOverwrite = (flags & kPutAllowOverwrite) != 0;
371 const bool backupCycle = (flags & kPutOverwriteKeepCycle) != 0;
372 const Option_t *writeOpts = "";
373 if (!allowOverwrite) {
374 const TKey *existing = dir->GetKey(tokens[tokens.size() - 1].c_str());
375 if (existing) {
376 throw ROOT::RException(R__FAIL(std::string("trying to overwrite object ") + path + " of type " +
377 existing->GetClassName() + " with another object of type " + cls->GetName()));
378 }
379 } else if (!backupCycle) {
380 writeOpts = "WriteDelete";
381 }
382
383 int success = dir->WriteObjectAny(obj, cls, tokens[tokens.size() - 1].c_str(), writeOpts);
384
385 if (!success) {
386 throw ROOT::RException(R__FAIL(std::string("Failed to write ") + path + " to file"));
387 }
388}
389
391 : fIter(it), fDirPath(path)
392{
393}
394
396
398 : fPattern(pattern), fFlags(flags)
399{
400 if (iter) {
401 fIterStack.emplace_back(iter);
402
403 if (!pattern.empty()) {
404 fRootDirNesting = std::count(pattern.begin(), pattern.end(), '/');
405 // `pattern` may or may not end with '/', but we consider it a directory regardless.
406 // In other words, like in virtually all filesystem operations, "dir" and "dir/" are equivalent.
407 fRootDirNesting += pattern.back() != '/';
408 }
409
410 // Advance the iterator to skip the first key, which is always the TFile key.
411 // This will also skip keys until we reach the first correct key we want to return.
412 Advance();
413 }
414}
415
420
425
427{
428 fCurKey = nullptr;
429
432 const bool includeDirs = fFlags & RFile::kListDirs;
433
434 // We only want to return keys that refer to user objects, not internal ones, therefore we skip
435 // all keys that have internal class names.
436 while (!fIterStack.empty()) {
437 auto &[iter, dirPath] = fIterStack.back();
438 assert(iter);
439 TObject *keyObj = iter->Next();
440 if (!keyObj) {
441 // reached end of the iteration
442 fIterStack.pop_back();
443 continue;
444 }
445
446 assert(keyObj->IsA() == TClass::GetClass<TKey>());
447 auto key = static_cast<TKey *>(keyObj);
448
449 const std::string dirSep = (dirPath.empty() ? "" : "/");
450 const bool isDir = TClass::GetClass(key->GetClassName())->InheritsFrom(TDirectory::Class());
451
452 if (isDir) {
453 TDirectory *dir = key->ReadObject<TDirectory>();
454 TIterator *innerIter = dir->GetListOfKeys()->MakeIterator();
456 fIterStack.emplace_back(innerIter, dirPath + dirSep + dir->GetName());
457 if (!includeDirs)
458 continue;
459 } else if (!includeObj) {
460 continue;
461 }
462
463 // Reconstruct the full path of the key
464 const std::string &fullPath = dirPath + dirSep + key->GetName();
465 assert(!fIterStack.empty());
466 const std::size_t nesting = fIterStack.size() - 1;
467
468 // Skip key if it's not a child of root dir
470 continue;
471
472 // Check that we are in the same directory as "rootDir".
473 // Note that for directories we list both the root dir and the immediate children (in non-recursive mode).
474 if (!recursive && nesting != fRootDirNesting &&
475 (!isDir || nesting != static_cast<std::size_t>(fRootDirNesting + 1)))
476 continue;
477
478 // All checks passed: return this key.
479 assert(!fullPath.empty());
480 fCurKey = key;
481 break;
482 }
483}
484
486{
487 if (fIterStack.empty())
488 throw ROOT::RException(R__FAIL("tried to dereference an invalid iterator"));
489
490 const TKey *key = fCurKey;
491 if (!key)
492 throw ROOT::RException(R__FAIL("tried to dereference an invalid iterator"));
493
494 const bool isDir =
495 strcmp(key->GetClassName(), "TDirectory") == 0 || strcmp(key->GetClassName(), "TDirectoryFile") == 0;
496 const auto &dirPath = fIterStack.back().fDirPath;
497
500 keyInfo.fPath = dirPath;
501 if (!isDir)
502 keyInfo.fPath += std::string(dirPath.empty() ? "" : "/") + key->GetName();
503 keyInfo.fClassName = key->GetClassName();
504 keyInfo.fCycle = key->GetCycle();
505 keyInfo.fTitle = key->GetTitle();
506 return keyInfo;
507}
508
509void RFile::Print(std::ostream &out) const
510{
511 std::vector<RKeyInfo> keys;
512 auto keysIter = ListKeys();
513 for (const auto &key : keysIter) {
514 keys.emplace_back(key);
515 }
516
517 std::sort(keys.begin(), keys.end(), [](const auto &a, const auto &b) { return a.GetPath() < b.GetPath(); });
518 for (const auto &key : keys) {
519 out << key.GetClassName() << " " << key.GetPath() << ";" << key.GetCycle() << ": \"" << key.GetTitle() << "\"\n";
520 }
521}
522
524{
525 return fFile->Write();
526}
527
529{
530 // NOTE: this also flushes the file internally
531 fFile.reset();
532}
533
534std::optional<ROOT::Experimental::RKeyInfo> RFile::GetKeyInfo(std::string_view path) const
535{
536 const TKey *key = GetTKey(path);
537 if (!key)
538 return {};
539
541 keyInfo.fPath = ReconstructFullKeyPath(*key);
542 keyInfo.fClassName = key->GetClassName();
543 keyInfo.fCycle = key->GetCycle();
544 keyInfo.fTitle = key->GetTitle();
545
546 return keyInfo;
547}
548
550{
551 void *obj = file.GetUntyped(key.GetPath(), key.GetClassName().c_str());
552 return obj;
553}
#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:50
static ENameCycleError DecodeNumericCycle(const char *str, std::optional< std::int16_t > &out)
Definition RFile.cxx:57
static void EnsureFileOpenAndBinary(const TFile *tfile, std::string_view path)
Definition RFile.cxx:172
static std::string ReconstructFullKeyPath(const TKey &key)
Definition RFile.cxx:181
static RNameCycleResult DecodeNameCycle(std::string_view nameCycleRaw)
Definition RFile.cxx:75
static std::string ValidateAndNormalizePath(std::string &path)
This function first validates, then normalizes the given path in place.
Definition RFile.cxx:128
#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:124
RIterator(TIterator *iter, Pattern_t pattern, std::uint32_t flags)
Definition RFile.cxx:397
An interface to read from, or write to, a ROOT file, as well as performing other common operations.
Definition RFile.hxx:225
void Close()
Flushes the RFile if needed and closes it, disallowing any further reading or writing.
Definition RFile.cxx:528
static std::unique_ptr< RFile > Recreate(std::string_view path)
Opens the file for reading/writing, overwriting it if it already exists.
Definition RFile.cxx:224
std::unique_ptr< TFile > fFile
Definition RFile.hxx:236
size_t Flush()
Writes all objects and the file structure to disk.
Definition RFile.cxx:523
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:214
void Print(std::ostream &out=std::cout) const
Prints the internal structure of this RFile to the given stream.
Definition RFile.cxx:509
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:238
std::optional< RKeyInfo > GetKeyInfo(std::string_view path) const
Retrieves information about the key of object at path, if one exists.
Definition RFile.cxx:534
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:283
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:319
@ kPutOverwriteKeepCycle
When overwriting an object, preserve the existing one and create a new cycle, rather than removing it...
Definition RFile.hxx:233
@ kPutAllowOverwrite
When encountering an object at the specified path, overwrite it with the new one instead of erroring ...
Definition RFile.hxx:231
RFile(std::unique_ptr< TFile > file)
Definition RFile.cxx:234
Information about an RFile object's Key.
Definition RFile.hxx:67
const std::string & GetClassName() const
Definition RFile.hxx:91
const std::string & GetPath() const
Returns the absolute path of this key, i.e. the directory part plus the object name.
Definition RFile.hxx:87
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:131
Bool_t IsBinary() const
Definition TFile.h:338
Bool_t IsRaw() const
Definition TFile.h:339
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:337
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:3764
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:1523
virtual const char * GetClassName() const
Definition TKey.h:75
virtual void * ReadObjectAny(const TClass *expectedClass)
To read an object (non deriving from TObject) from the file.
Definition TKey.cxx:1025
TDirectory * GetMotherDir() const
Definition TKey.h:85
Short_t GetCycle() const
Return cycle number associated to this key.
Definition TKey.cxx:579
TIterator * MakeIterator(Bool_t dir=kIterForward) const override
Return a list iterator.
Definition TList.cxx:719
const char * GetName() const override
Returns name of object.
Definition TNamed.h:49
Mother of all ROOT objects.
Definition TObject.h:41
R__ALWAYS_INLINE Bool_t IsZombie() const
Definition TObject.h:159
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:193
ROOT::RLogChannel & RFileLog()
Definition RFile.cxx:24
void * RFile_GetObjectFromKey(RFile &file, const RKeyInfo &key)
Returns an owning pointer to the object referenced by key.
Definition RFile.cxx:549
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:390