Project
Loading...
Searching...
No Matches
CcdbApi.cxx
Go to the documentation of this file.
1// Copyright 2019-2020 CERN and copyright holders of ALICE O2.
2// See https://alice-o2.web.cern.ch/copyright for details of the copyright holders.
3// All rights not expressly granted are reserved.
4//
5// This software is distributed under the terms of the GNU General Public
6// License v3 (GPL Version 3), copied verbatim in the file "COPYING".
7//
8// In applying this license CERN does not waive the privileges and immunities
9// granted to it by virtue of its status as an Intergovernmental Organization
10// or submit itself to any jurisdiction.
11
16
17#include "CCDB/CcdbApi.h"
18#include "CCDB/CCDBQuery.h"
19
25#include <chrono>
26#include <memory>
27#include <sstream>
28#include <TFile.h>
29#include <TGrid.h>
30#include <TSystem.h>
31#include <TStreamerInfo.h>
32#include <TMemFile.h>
33#include <TH1F.h>
34#include <TTree.h>
35#include <fairlogger/Logger.h>
36#include <TError.h>
37#include <TClass.h>
39#include <algorithm>
40#include <filesystem>
41#include <boost/algorithm/string.hpp>
42#include <boost/asio/ip/host_name.hpp>
43#include <iostream>
44#include <mutex>
45#include <boost/interprocess/sync/named_semaphore.hpp>
46#include <regex>
47#include <cstdio>
48#include <string>
49#include <unordered_set>
50#include "rapidjson/document.h"
51#include "rapidjson/writer.h"
52#include "rapidjson/stringbuffer.h"
53
54namespace o2::ccdb
55{
56
57using namespace std;
58
59std::mutex gIOMutex; // to protect TMemFile IO operations
60unique_ptr<TJAlienCredentials> CcdbApi::mJAlienCredentials = nullptr;
61
69{
70 public:
71 CCDBSemaphore(std::string const& cachepath, std::string const& path);
73
74 private:
75 boost::interprocess::named_semaphore* mSem = nullptr;
76 std::string mSemName{}; // name under which semaphore is kept by the OS kernel
77};
78
79// Small registry class with the purpose that a static object
80// ensures cleanup of registered semaphores even when programs
81// "crash".
83{
84 public:
85 SemaphoreRegistry() = default;
87 void add(CCDBSemaphore const* ptr);
88 void remove(CCDBSemaphore const* ptr);
89
90 private:
91 std::unordered_set<CCDBSemaphore const*> mStore;
92};
93static SemaphoreRegistry gSemaRegistry;
94
96{
97 using namespace o2::framework;
98 setUniqueAgentID();
99
101 mIsCCDBDownloaderPreferred = 0;
102 if (deploymentMode == DeploymentMode::OnlineDDS && deploymentMode == DeploymentMode::OnlineECS && deploymentMode == DeploymentMode::OnlineAUX && deploymentMode == DeploymentMode::FST) {
103 mIsCCDBDownloaderPreferred = 1;
104 }
105 if (getenv("ALICEO2_ENABLE_MULTIHANDLE_CCDBAPI")) { // todo rename ALICEO2_ENABLE_MULTIHANDLE_CCDBAPI to ALICEO2_PREFER_MULTIHANDLE_CCDBAPI
106 mIsCCDBDownloaderPreferred = atoi(getenv("ALICEO2_ENABLE_MULTIHANDLE_CCDBAPI"));
107 }
108 mDownloader = new CCDBDownloader();
109}
110
112{
113 curl_global_cleanup();
114 delete mDownloader;
115}
116
117void CcdbApi::setUniqueAgentID()
118{
119 std::string host = boost::asio::ip::host_name();
120 char const* jobID = getenv("ALIEN_PROC_ID");
121 if (jobID) {
122 mUniqueAgentID = fmt::format("{}-{}-{}-{}", host, getCurrentTimestamp() / 1000, o2::utils::Str::getRandomString(6), jobID);
123 } else {
124 mUniqueAgentID = fmt::format("{}-{}-{}", host, getCurrentTimestamp() / 1000, o2::utils::Str::getRandomString(6));
125 }
126}
127
129{
130#ifdef __APPLE__
131 LOG(debug) << "On macOS we simply rely on TGrid::Connect(\"alien\").";
132 return true;
133#endif
134 if (getenv("ALICEO2_CCDB_NOTOKENCHECK") && atoi(getenv("ALICEO2_CCDB_NOTOKENCHECK"))) {
135 return true;
136 }
137 if (getenv("JALIEN_TOKEN_CERT")) {
138 return true;
139 }
140 auto returncode = system("LD_PRELOAD= alien-token-info &> /dev/null");
141 if (returncode == -1) {
142 LOG(error) << "...";
143 }
144 return returncode == 0;
145}
146
147void CcdbApi::curlInit()
148{
149 // todo : are there other things to initialize globally for curl ?
150 curl_global_init(CURL_GLOBAL_DEFAULT);
151 CcdbApi::mJAlienCredentials = std::make_unique<TJAlienCredentials>();
152 CcdbApi::mJAlienCredentials->loadCredentials();
153 CcdbApi::mJAlienCredentials->selectPreferedCredentials();
154
155 // allow to configure the socket timeout of CCDBDownloader (for some tuning studies)
156 if (getenv("ALICEO2_CCDB_SOCKET_TIMEOUT")) {
157 auto timeoutMS = atoi(getenv("ALICEO2_CCDB_SOCKET_TIMEOUT"));
158 if (timeoutMS >= 0) {
159 LOG(info) << "Setting socket timeout to " << timeoutMS << " milliseconds";
160 mDownloader->setKeepaliveTimeoutTime(timeoutMS);
161 }
162 }
163}
164
165void CcdbApi::init(std::string const& host)
166{
167 // if host is prefixed with "file://" this is a local snapshot
168 // in this case we init the API in snapshot (readonly) mode
169 constexpr const char* SNAPSHOTPREFIX = "file://";
170 mUrl = host;
171
172 if (host.substr(0, 7).compare(SNAPSHOTPREFIX) == 0) {
173 auto path = host.substr(7);
174 initInSnapshotMode(path);
175 } else {
176 initHostsPool(host);
177 curlInit();
178 }
179 // The environment option ALICEO2_CCDB_LOCALCACHE allows
180 // to reduce the number of queries to the server, by collecting the objects in a local
181 // cache folder, and serving from this folder for repeated queries.
182 // This is useful for instance for MC GRID productions in which we spawn
183 // many isolated processes, all querying the CCDB (for potentially the same objects and same timestamp).
184 // In addition, we can monitor exactly which objects are fetched and what is their content.
185 // One can also distribute so obtained caches to sites without network access.
186 //
187 // THE INFORMATION BELOW IS TEMPORARILY WRONG: the functionality of checking the validity if IGNORE_VALIDITYCHECK_OF_CCDB_LOCALCACHE
188 // is NOT set is broken. At the moment the code is modified to behave as if the IGNORE_VALIDITYCHECK_OF_CCDB_LOCALCACHE is always set
189 // whenever the ALICEO2_CCDB_LOCALCACHE is defined.
190 //
191 // When used with the DPL CCDB fetcher (i.e. loadFileToMemory is called), in order to prefer the available snapshot w/o its validity
192 // check an extra variable IGNORE_VALIDITYCHECK_OF_CCDB_LOCALCACHE must be defined, otherwhise the object will be fetched from the
193 // server after the validity check and new snapshot will be created if needed
194
195 std::string snapshotReport{};
196 const char* cachedir = getenv("ALICEO2_CCDB_LOCALCACHE");
197 namespace fs = std::filesystem;
198 if (cachedir) {
199 if (cachedir[0] == 0) {
200 mSnapshotCachePath = fs::weakly_canonical(fs::absolute("."));
201 } else {
202 mSnapshotCachePath = fs::weakly_canonical(fs::absolute(cachedir));
203 }
204 snapshotReport = fmt::format("(cache snapshots to dir={}", mSnapshotCachePath);
205 }
206 if (cachedir) { // || getenv("IGNORE_VALIDITYCHECK_OF_CCDB_LOCALCACHE")) {
207 mPreferSnapshotCache = true;
208 if (mSnapshotCachePath.empty()) {
209 LOGP(fatal, "IGNORE_VALIDITYCHECK_OF_CCDB_LOCALCACHE is defined but the ALICEO2_CCDB_LOCALCACHE is not");
210 }
211 snapshotReport += ", prefer if available";
212 }
213 if (!snapshotReport.empty()) {
214 snapshotReport += ')';
215 }
216
217 mNeedAlienToken = (host.find("https://") != std::string::npos) || (host.find("alice-ccdb.cern.ch") != std::string::npos);
218
219 // Set the curl timeout. It can be forced with an env var or it has different defaults based on the deployment mode.
220 if (getenv("ALICEO2_CCDB_CURL_TIMEOUT_DOWNLOAD")) {
221 auto timeout = atoi(getenv("ALICEO2_CCDB_CURL_TIMEOUT_DOWNLOAD"));
222 if (timeout >= 0) { // if valid int
223 mCurlTimeoutDownload = timeout;
224 }
225 } else { // set a default depending on the deployment mode
227 if (deploymentMode == o2::framework::DeploymentMode::OnlineDDS ||
230 mCurlTimeoutDownload = 15;
231 } else if (deploymentMode == o2::framework::DeploymentMode::Grid ||
232 deploymentMode == o2::framework::DeploymentMode::FST) {
233 mCurlTimeoutDownload = 15;
234 } else if (deploymentMode == o2::framework::DeploymentMode::Local) {
235 mCurlTimeoutDownload = 1;
236 }
237 }
238
239 if (getenv("ALICEO2_CCDB_CURL_TIMEOUT_UPLOAD")) {
240 auto timeout = atoi(getenv("ALICEO2_CCDB_CURL_TIMEOUT_UPLOAD"));
241 if (timeout >= 0) { // if valid int
242 mCurlTimeoutUpload = timeout;
243 }
244 } else { // set a default depending on the deployment mode
246 if (deploymentMode == o2::framework::DeploymentMode::OnlineDDS ||
249 mCurlTimeoutUpload = 3;
250 } else if (deploymentMode == o2::framework::DeploymentMode::Grid ||
251 deploymentMode == o2::framework::DeploymentMode::FST) {
252 mCurlTimeoutUpload = 20;
253 } else if (deploymentMode == o2::framework::DeploymentMode::Local) {
254 mCurlTimeoutUpload = 20;
255 }
256 }
257 if (mDownloader) {
258 mDownloader->setRequestTimeoutTime(mCurlTimeoutDownload * 1000L);
259 }
260
261 LOGP(debug, "Curl timeouts are set to: download={:2}, upload={:2} seconds", mCurlTimeoutDownload, mCurlTimeoutUpload);
262
263 LOGP(info, "Init CcdApi with UserAgentID: {}, Host: {}{}, Curl timeouts: upload:{} download:{}", mUniqueAgentID, host,
264 mInSnapshotMode ? "(snapshot readonly mode)" : snapshotReport.c_str(), mCurlTimeoutUpload, mCurlTimeoutDownload);
265}
266
268{
269 mDownloader->runLoop(noWait);
270}
271
272// A helper function used in a few places. Updates a ROOT file with meta/header information.
273void CcdbApi::updateMetaInformationInLocalFile(std::string const& filename, std::map<std::string, std::string> const* headers, CCDBQuery const* querysummary)
274{
275 std::lock_guard<std::mutex> guard(gIOMutex);
276 auto oldlevel = gErrorIgnoreLevel;
277 gErrorIgnoreLevel = 6001; // ignoring error messages here (since we catch with IsZombie)
278 TFile snapshotfile(filename.c_str(), "UPDATE");
279 // The assumption is that the blob is a ROOT file
280 if (!snapshotfile.IsZombie()) {
281 if (querysummary && !snapshotfile.Get(CCDBQUERY_ENTRY)) {
282 snapshotfile.WriteObjectAny(querysummary, TClass::GetClass(typeid(*querysummary)), CCDBQUERY_ENTRY);
283 }
284 if (headers && !snapshotfile.Get(CCDBMETA_ENTRY)) {
285 snapshotfile.WriteObjectAny(headers, TClass::GetClass(typeid(*headers)), CCDBMETA_ENTRY);
286 }
287 snapshotfile.Write();
288 snapshotfile.Close();
289 }
290 gErrorIgnoreLevel = oldlevel;
291}
292
298std::string sanitizeObjectName(const std::string& objectName)
299{
300 string tmpObjectName = objectName;
301 tmpObjectName.erase(std::remove_if(tmpObjectName.begin(), tmpObjectName.end(),
302 [](auto const& c) -> bool { return (!std::isalnum(c) && c != '_' && c != '/' && c != '.'); }),
303 tmpObjectName.end());
304 return tmpObjectName;
305}
306
307std::unique_ptr<std::vector<char>> CcdbApi::createObjectImage(const void* obj, std::type_info const& tinfo, CcdbObjectInfo* info)
308{
309 // Create a binary image of the object, if CcdbObjectInfo pointer is provided, register there
310 // the assigned object class name and the filename
311 std::lock_guard<std::mutex> guard(gIOMutex);
312 std::string className = o2::utils::MemFileHelper::getClassName(tinfo);
313 std::string tmpFileName = generateFileName(className);
314 if (info) {
315 info->setFileName(tmpFileName);
316 info->setObjectType(className);
317 }
318 return o2::utils::MemFileHelper::createFileImage(obj, tinfo, tmpFileName, CCDBOBJECT_ENTRY);
319}
320
321std::unique_ptr<std::vector<char>> CcdbApi::createObjectImage(const TObject* rootObject, CcdbObjectInfo* info)
322{
323 // Create a binary image of the object, if CcdbObjectInfo pointer is provided, register there
324 // the assigned object class name and the filename
325 std::string className = rootObject->GetName();
326 std::string tmpFileName = generateFileName(className);
327 if (info) {
328 info->setFileName(tmpFileName);
329 info->setObjectType("TObject"); // why TObject and not the actual name?
330 }
331 std::lock_guard<std::mutex> guard(gIOMutex);
332 return o2::utils::MemFileHelper::createFileImage(*rootObject, tmpFileName, CCDBOBJECT_ENTRY);
333}
334
335int CcdbApi::storeAsTFile_impl(const void* obj, std::type_info const& tinfo, std::string const& path,
336 std::map<std::string, std::string> const& metadata,
337 long startValidityTimestamp, long endValidityTimestamp,
338 std::vector<char>::size_type maxSize) const
339{
340 // We need the TClass for this type; will verify if dictionary exists
341 if (!obj) {
342 LOGP(error, "nullptr is provided for object {}/{}/{}", path, startValidityTimestamp, endValidityTimestamp);
343 return -1;
344 }
345 CcdbObjectInfo info;
346 auto img = createObjectImage(obj, tinfo, &info);
347 return storeAsBinaryFile(img->data(), img->size(), info.getFileName(), info.getObjectType(),
348 path, metadata, startValidityTimestamp, endValidityTimestamp, maxSize);
349}
350
351int CcdbApi::storeAsBinaryFile(const char* buffer, size_t size, const std::string& filename, const std::string& objectType,
352 const std::string& path, const std::map<std::string, std::string>& metadata,
353 long startValidityTimestamp, long endValidityTimestamp, std::vector<char>::size_type maxSize) const
354{
355 if (maxSize > 0 && size > maxSize) {
356 LOGP(alarm, "Object will not be uploaded to {} since its size {} exceeds max allowed {}", path, size, maxSize);
357 return -1;
358 }
359 int returnValue = 0;
360
361 // Prepare URL
362 long sanitizedStartValidityTimestamp = startValidityTimestamp;
363 if (startValidityTimestamp == -1) {
364 LOGP(info, "Start of Validity not set, current timestamp used.");
365 sanitizedStartValidityTimestamp = getCurrentTimestamp();
366 }
367 long sanitizedEndValidityTimestamp = endValidityTimestamp;
368 if (endValidityTimestamp == -1) {
369 LOGP(info, "End of Validity not set, start of validity plus 1 day used.");
370 sanitizedEndValidityTimestamp = getFutureTimestamp(60 * 60 * 24 * 1);
371 }
372 if (mInSnapshotMode) { // write local file
373 auto pthLoc = getSnapshotDir(mSnapshotTopPath, path);
375 auto flLoc = getSnapshotFile(mSnapshotTopPath, path, filename);
376 // add the timestamps to the end
377 auto pent = flLoc.find_last_of('.');
378 if (pent == std::string::npos) {
379 pent = flLoc.size();
380 }
381 flLoc.insert(pent, fmt::format("_{}_{}", startValidityTimestamp, endValidityTimestamp));
382 ofstream outf(flLoc.c_str(), ios::out | ios::binary);
383 outf.write(buffer, size);
384 outf.close();
385 if (!outf.good()) {
386 throw std::runtime_error(fmt::format("Failed to write local CCDB file {}", flLoc));
387 } else {
388 std::map<std::string, std::string> metaheader(metadata);
389 // add time validity information
390 metaheader["Valid-From"] = std::to_string(startValidityTimestamp);
391 metaheader["Valid-Until"] = std::to_string(endValidityTimestamp);
392 updateMetaInformationInLocalFile(flLoc.c_str(), &metaheader);
393 std::string metaStr{};
394 for (const auto& mentry : metadata) {
395 metaStr += fmt::format("{}={};", mentry.first, mentry.second);
396 }
397 metaStr += "$USER_META;";
398 LOGP(info, "Created local snapshot {}", flLoc);
399 LOGP(info, R"(Upload with: o2-ccdb-upload --host "$ccdbhost" -p {} -f {} -k {} --starttimestamp {} --endtimestamp {} -m "{}")",
400 path, flLoc, CCDBOBJECT_ENTRY, startValidityTimestamp, endValidityTimestamp, metaStr);
401 }
402 return returnValue;
403 }
404
405 // Curl preparation
406 CURL* curl = nullptr;
407 curl = curl_easy_init();
408
409 // checking that all metadata keys do not contain invalid characters
410 checkMetadataKeys(metadata);
411
412 if (curl != nullptr) {
413 auto mime = curl_mime_init(curl);
414 auto field = curl_mime_addpart(mime);
415 curl_mime_name(field, "send");
416 curl_mime_filedata(field, filename.c_str());
417 curl_mime_data(field, buffer, size);
418
419 struct curl_slist* headerlist = nullptr;
420 static const char buf[] = "Expect:";
421 headerlist = curl_slist_append(headerlist, buf);
422
423 curlSetSSLOptions(curl);
424
425 curl_easy_setopt(curl, CURLOPT_MIMEPOST, mime);
426 curl_easy_setopt(curl, CURLOPT_HTTPHEADER, headerlist);
427 curl_easy_setopt(curl, CURLOPT_FOLLOWLOCATION, 1L);
428 curl_easy_setopt(curl, CURLOPT_USERAGENT, mUniqueAgentID.c_str());
429 curl_easy_setopt(curl, CURLOPT_TIMEOUT, mCurlTimeoutUpload);
430
431 CURLcode res = CURL_LAST;
432
433 for (size_t hostIndex = 0; hostIndex < hostsPool.size() && res > 0; hostIndex++) {
434 string fullUrl = getFullUrlForStorage(curl, path, objectType, metadata, sanitizedStartValidityTimestamp, sanitizedEndValidityTimestamp, hostIndex);
435 LOG(debug3) << "Full URL Encoded: " << fullUrl;
436 /* what URL that receives this POST */
437 curl_easy_setopt(curl, CURLOPT_URL, fullUrl.c_str());
438
439 /* Perform the request, res will get the return code */
440 res = CURL_perform(curl);
441 /* Check for errors */
442 if (res != CURLE_OK) {
443 if (res == CURLE_OPERATION_TIMEDOUT) {
444 LOGP(alarm, "curl_easy_perform() timed out. Consider increasing the timeout using the env var `ALICEO2_CCDB_CURL_TIMEOUT_UPLOAD` (seconds), current one is {}", mCurlTimeoutUpload);
445 } else { // generic message
446 LOGP(alarm, "curl_easy_perform() failed: {}", curl_easy_strerror(res));
447 }
448 returnValue = res;
449 }
450 }
451
452 /* always cleanup */
453 curl_easy_cleanup(curl);
454
455 /* free slist */
456 curl_slist_free_all(headerlist);
457 /* free mime */
458 curl_mime_free(mime);
459 } else {
460 LOGP(alarm, "curl initialization failure");
461 returnValue = -2;
462 }
463 return returnValue;
464}
465
466int CcdbApi::storeAsTFile(const TObject* rootObject, std::string const& path, std::map<std::string, std::string> const& metadata,
467 long startValidityTimestamp, long endValidityTimestamp, std::vector<char>::size_type maxSize) const
468{
469 // Prepare file
470 if (!rootObject) {
471 LOGP(error, "nullptr is provided for object {}/{}/{}", path, startValidityTimestamp, endValidityTimestamp);
472 return -1;
473 }
474 CcdbObjectInfo info;
475 auto img = createObjectImage(rootObject, &info);
476 return storeAsBinaryFile(img->data(), img->size(), info.getFileName(), info.getObjectType(), path, metadata, startValidityTimestamp, endValidityTimestamp, maxSize);
477}
478
479string CcdbApi::getFullUrlForStorage(CURL* curl, const string& path, const string& objtype,
480 const map<string, string>& metadata,
481 long startValidityTimestamp, long endValidityTimestamp, int hostIndex) const
482{
483 // Prepare timestamps
484 string startValidityString = getTimestampString(startValidityTimestamp < 0 ? getCurrentTimestamp() : startValidityTimestamp);
485 string endValidityString = getTimestampString(endValidityTimestamp < 0 ? getFutureTimestamp(60 * 60 * 24 * 1) : endValidityTimestamp);
486 // Get url
487 string url = getHostUrl(hostIndex);
488 // Build URL
489 string fullUrl = url + "/" + path + "/" + startValidityString + "/" + endValidityString + "/";
490 // Add type as part of metadata
491 // we need to URL encode the object type, since in case it has special characters (like the "<", ">" for templated classes) it won't work otherwise
492 char* objtypeEncoded = curl_easy_escape(curl, objtype.c_str(), objtype.size());
493 fullUrl += "ObjectType=" + string(objtypeEncoded) + "/";
494 curl_free(objtypeEncoded);
495 // Add general metadata
496 for (auto& kv : metadata) {
497 string mfirst = kv.first;
498 string msecond = kv.second;
499 // same trick for the metadata as for the object type
500 char* mfirstEncoded = curl_easy_escape(curl, mfirst.c_str(), mfirst.size());
501 char* msecondEncoded = curl_easy_escape(curl, msecond.c_str(), msecond.size());
502 fullUrl += string(mfirstEncoded) + "=" + string(msecondEncoded) + "/";
503 curl_free(mfirstEncoded);
504 curl_free(msecondEncoded);
505 }
506 return fullUrl;
507}
508
509// todo make a single method of the one above and below
510string CcdbApi::getFullUrlForRetrieval(CURL* curl, const string& path, const map<string, string>& metadata, long timestamp, int hostIndex) const
511{
512 if (mInSnapshotMode) {
513 return getSnapshotFile(mSnapshotTopPath, path);
514 }
515
516 // Prepare timestamps
517 string validityString = getTimestampString(timestamp < 0 ? getCurrentTimestamp() : timestamp);
518 // Get host url
519 string hostUrl = getHostUrl(hostIndex);
520 // Build URL
521 string fullUrl = hostUrl + "/" + path + "/" + validityString + "/";
522 // Add metadata
523 for (auto& kv : metadata) {
524 string mfirst = kv.first;
525 string msecond = kv.second;
526 // trick for the metadata in case it contains special characters
527 char* mfirstEncoded = curl_easy_escape(curl, mfirst.c_str(), mfirst.size());
528 char* msecondEncoded = curl_easy_escape(curl, msecond.c_str(), msecond.size());
529 fullUrl += string(mfirstEncoded) + "=" + string(msecondEncoded) + "/";
530 curl_free(mfirstEncoded);
531 curl_free(msecondEncoded);
532 }
533 return fullUrl;
534}
535
540 char* memory;
541 unsigned int size;
542};
543
553static size_t WriteMemoryCallback(void* contents, size_t size, size_t nmemb, void* userp)
554{
555 size_t realsize = size * nmemb;
556 auto* mem = (struct MemoryStruct*)userp;
557
558 mem->memory = (char*)realloc(mem->memory, mem->size + realsize + 1);
559 if (mem->memory == nullptr) {
560 printf("not enough memory (realloc returned NULL)\n");
561 return 0;
562 }
563
564 memcpy(&(mem->memory[mem->size]), contents, realsize);
565 mem->size += realsize;
566 mem->memory[mem->size] = 0;
567
568 return realsize;
569}
570
582static size_t WriteToFileCallback(void* ptr, size_t size, size_t nmemb, FILE* stream)
583{
584 size_t written = fwrite(ptr, size, nmemb, stream);
585 return written;
586}
587
595static CURLcode ssl_ctx_callback(CURL*, void*, void* parm)
596{
597 std::string msg((const char*)parm);
598 int start = 0, end = msg.find('\n');
599
600 if (msg.length() > 0 && end == -1) {
601 LOG(warn) << msg;
602 } else if (end > 0) {
603 while (end > 0) {
604 LOG(warn) << msg.substr(start, end - start);
605 start = end + 1;
606 end = msg.find('\n', start);
607 }
608 }
609 return CURLE_OK;
610}
611
612void CcdbApi::curlSetSSLOptions(CURL* curl_handle)
613{
614 CredentialsKind cmk = mJAlienCredentials->getPreferedCredentials();
615
616 /* NOTE: return early, the warning should be printed on SSL callback if needed */
617 if (cmk == cNOT_FOUND) {
618 return;
619 }
620
621 TJAlienCredentialsObject cmo = mJAlienCredentials->get(cmk);
622
623 char* CAPath = getenv("X509_CERT_DIR");
624 if (CAPath) {
625 curl_easy_setopt(curl_handle, CURLOPT_CAPATH, CAPath);
626 }
627 curl_easy_setopt(curl_handle, CURLOPT_CAINFO, nullptr);
628 curl_easy_setopt(curl_handle, CURLOPT_SSLCERT, cmo.certpath.c_str());
629 curl_easy_setopt(curl_handle, CURLOPT_SSLKEY, cmo.keypath.c_str());
630
631 // NOTE: for lazy logging only
632 curl_easy_setopt(curl_handle, CURLOPT_SSL_CTX_FUNCTION, ssl_ctx_callback);
633 curl_easy_setopt(curl_handle, CURLOPT_SSL_CTX_DATA, mJAlienCredentials->getMessages().c_str());
634
635 // CURLcode ret = curl_easy_setopt(curl_handle, CURLOPT_SSL_CTX_FUNCTION, *ssl_ctx_callback);
636}
637
638using CurlWriteCallback = size_t (*)(void*, size_t, size_t, void*);
639
640void CcdbApi::initCurlOptionsForRetrieve(CURL* curlHandle, void* chunk, CurlWriteCallback writeCallback, bool followRedirect) const
641{
642 curl_easy_setopt(curlHandle, CURLOPT_WRITEFUNCTION, writeCallback);
643 curl_easy_setopt(curlHandle, CURLOPT_WRITEDATA, chunk);
644 curl_easy_setopt(curlHandle, CURLOPT_FOLLOWLOCATION, followRedirect ? 1L : 0L);
645}
646
647namespace
648{
649template <typename MapType = std::map<std::string, std::string>>
650size_t header_map_callback(char* buffer, size_t size, size_t nitems, void* userdata)
651{
652 auto* headers = static_cast<MapType*>(userdata);
653 auto header = std::string(buffer, size * nitems);
654 std::string::size_type index = header.find(':', 0);
655 if (index != std::string::npos) {
656 const auto key = boost::algorithm::trim_copy(header.substr(0, index));
657 const auto value = boost::algorithm::trim_copy(header.substr(index + 1));
658 LOGP(debug, "Adding #{} {} -> {}", headers->size(), key, value);
659 bool insert = true;
660 if (key == "Content-Length") {
661 auto cl = headers->find("Content-Length");
662 if (cl != headers->end()) {
663 if (std::stol(cl->second) < stol(value)) {
664 headers->erase(key);
665 } else {
666 insert = false;
667 }
668 }
669 }
670
671 // Keep only the first ETag encountered
672 if (key == "ETag") {
673 auto cl = headers->find("ETag");
674 if (cl != headers->end()) {
675 insert = false;
676 }
677 }
678
679 // Keep only the first Content-Type encountered
680 if (key == "Content-Type") {
681 auto cl = headers->find("Content-Type");
682 if (cl != headers->end()) {
683 insert = false;
684 }
685 }
686
687 if (insert) {
688 headers->insert(std::make_pair(key, value));
689 }
690 }
691 return size * nitems;
692}
693} // namespace
694
695void CcdbApi::initCurlHTTPHeaderOptionsForRetrieve(CURL* curlHandle, curl_slist*& option_list, long timestamp, std::map<std::string, std::string>* headers, std::string const& etag,
696 const std::string& createdNotAfter, const std::string& createdNotBefore) const
697{
698 // struct curl_slist* list = nullptr;
699 if (!etag.empty()) {
700 option_list = curl_slist_append(option_list, ("If-None-Match: " + etag).c_str());
701 }
702
703 if (!createdNotAfter.empty()) {
704 option_list = curl_slist_append(option_list, ("If-Not-After: " + createdNotAfter).c_str());
705 }
706
707 if (!createdNotBefore.empty()) {
708 option_list = curl_slist_append(option_list, ("If-Not-Before: " + createdNotBefore).c_str());
709 }
710
711 if (headers != nullptr) {
712 option_list = curl_slist_append(option_list, ("If-None-Match: " + to_string(timestamp)).c_str());
713 curl_easy_setopt(curlHandle, CURLOPT_HEADERFUNCTION, header_map_callback<>);
714 curl_easy_setopt(curlHandle, CURLOPT_HEADERDATA, headers);
715 }
716
717 if (option_list) {
718 curl_easy_setopt(curlHandle, CURLOPT_HTTPHEADER, option_list);
719 }
720
721 curl_easy_setopt(curlHandle, CURLOPT_USERAGENT, mUniqueAgentID.c_str());
722}
723
724bool CcdbApi::receiveToFile(FILE* fileHandle, std::string const& path, std::map<std::string, std::string> const& metadata,
725 long timestamp, std::map<std::string, std::string>* headers, std::string const& etag,
726 const std::string& createdNotAfter, const std::string& createdNotBefore, bool followRedirect) const
727{
728 return receiveObject((void*)fileHandle, path, metadata, timestamp, headers, etag, createdNotAfter, createdNotBefore, followRedirect, (CurlWriteCallback)&WriteToFileCallback);
729}
730
731bool CcdbApi::receiveToMemory(void* chunk, std::string const& path, std::map<std::string, std::string> const& metadata,
732 long timestamp, std::map<std::string, std::string>* headers, std::string const& etag,
733 const std::string& createdNotAfter, const std::string& createdNotBefore, bool followRedirect) const
734{
735 return receiveObject((void*)chunk, path, metadata, timestamp, headers, etag, createdNotAfter, createdNotBefore, followRedirect, (CurlWriteCallback)&WriteMemoryCallback);
736}
737
738bool CcdbApi::receiveObject(void* dataHolder, std::string const& path, std::map<std::string, std::string> const& metadata,
739 long timestamp, std::map<std::string, std::string>* headers, std::string const& etag,
740 const std::string& createdNotAfter, const std::string& createdNotBefore, bool followRedirect, CurlWriteCallback writeCallback) const
741{
742 CURL* curlHandle;
743
744 curlHandle = curl_easy_init();
745 curl_easy_setopt(curlHandle, CURLOPT_USERAGENT, mUniqueAgentID.c_str());
746
747 if (curlHandle != nullptr) {
748
749 curlSetSSLOptions(curlHandle);
750 initCurlOptionsForRetrieve(curlHandle, dataHolder, writeCallback, followRedirect);
751 curl_slist* option_list = nullptr;
752 initCurlHTTPHeaderOptionsForRetrieve(curlHandle, option_list, timestamp, headers, etag, createdNotAfter, createdNotBefore);
753
754 long responseCode = 0;
755 CURLcode curlResultCode = CURL_LAST;
756
757 for (size_t hostIndex = 0; hostIndex < hostsPool.size() && (responseCode >= 400 || curlResultCode > 0); hostIndex++) {
758 string fullUrl = getFullUrlForRetrieval(curlHandle, path, metadata, timestamp, hostIndex);
759 curl_easy_setopt(curlHandle, CURLOPT_URL, fullUrl.c_str());
760
761 curlResultCode = CURL_perform(curlHandle);
762
763 if (curlResultCode != CURLE_OK) {
764 LOGP(alarm, "curl_easy_perform() failed: {}", curl_easy_strerror(curlResultCode));
765 } else {
766 curlResultCode = curl_easy_getinfo(curlHandle, CURLINFO_RESPONSE_CODE, &responseCode);
767 if ((curlResultCode == CURLE_OK) && (responseCode < 300)) {
768 curl_slist_free_all(option_list);
769 curl_easy_cleanup(curlHandle);
770 return true;
771 } else {
772 if (curlResultCode != CURLE_OK) {
773 LOGP(alarm, "invalid URL {}", fullUrl);
774 } else {
775 LOGP(alarm, "not found under link {}", fullUrl);
776 }
777 }
778 }
779 }
780
781 curl_slist_free_all(option_list);
782 curl_easy_cleanup(curlHandle);
783 }
784 return false;
785}
786
787TObject* CcdbApi::retrieve(std::string const& path, std::map<std::string, std::string> const& metadata,
788 long timestamp) const
789{
790 struct MemoryStruct chunk {
791 (char*)malloc(1) /*memory*/, 0 /*size*/
792 };
793
794 TObject* result = nullptr;
795
796 bool res = receiveToMemory((void*)&chunk, path, metadata, timestamp);
797
798 if (res) {
799 std::lock_guard<std::mutex> guard(gIOMutex);
800 TMessage mess(kMESS_OBJECT);
801 mess.SetBuffer(chunk.memory, chunk.size, kFALSE);
802 mess.SetReadMode();
803 mess.Reset();
804 result = (TObject*)(mess.ReadObjectAny(mess.GetClass()));
805 if (result == nullptr) {
806 LOGP(info, "couldn't retrieve the object {}", path);
807 }
808 }
809
810 free(chunk.memory);
811
812 return result;
813}
814
815std::string CcdbApi::generateFileName(const std::string& inp)
816{
817 // generate file name for the CCDB object (for now augment the input string by the timestamp)
818 std::string str = inp;
819 str.erase(std::remove_if(str.begin(), str.end(), ::isspace), str.end());
820 str = std::regex_replace(str, std::regex("::"), "-");
822 return str;
823}
824
825TObject* CcdbApi::retrieveFromTFile(std::string const& path, std::map<std::string, std::string> const& metadata,
826 long timestamp, std::map<std::string, std::string>* headers, std::string const& etag,
827 const std::string& createdNotAfter, const std::string& createdNotBefore) const
828{
829 return (TObject*)retrieveFromTFile(typeid(TObject), path, metadata, timestamp, headers, etag, createdNotAfter, createdNotBefore);
830}
831
832bool CcdbApi::retrieveBlob(std::string const& path, std::string const& targetdir, std::map<std::string, std::string> const& metadata,
833 long timestamp, bool preservePath, std::string const& localFileName, std::string const& createdNotAfter, std::string const& createdNotBefore) const
834{
835
836 // we setup the target path for this blob
837 std::string fulltargetdir = targetdir + (preservePath ? ('/' + path) : "");
838
839 try {
841 } catch (std::exception e) {
842 LOGP(error, "Could not create local snapshot cache directory {}, reason: {}", fulltargetdir, e.what());
843 return false;
844 }
845
847 std::map<std::string, std::string> headers;
848 // avoid creating snapshot via loadFileToMemory itself
849 loadFileToMemory(buff, path, metadata, timestamp, &headers, "", createdNotAfter, createdNotBefore, false);
850 if ((headers.count("Error") != 0) || (buff.empty())) {
851 LOGP(error, "Unable to find object {}/{}, Aborting", path, timestamp);
852 return false;
853 }
854 // determine local filename --> use user given one / default -- or if empty string determine from content
855 auto getFileName = [&headers]() {
856 auto& s = headers["Content-Disposition"];
857 if (s != "") {
858 std::regex re("(.*;)filename=\"(.*)\"");
859 std::cmatch m;
860 if (std::regex_match(s.c_str(), m, re)) {
861 return m[2].str();
862 }
863 }
864 std::string backupname("ccdb-blob.bin");
865 LOG(error) << "Cannot determine original filename from Content-Disposition ... falling back to " << backupname;
866 return backupname;
867 };
868 auto filename = localFileName.size() > 0 ? localFileName : getFileName();
869 std::string targetpath = fulltargetdir + "/" + filename;
870 {
871 std::ofstream objFile(targetpath, std::ios::out | std::ofstream::binary);
872 std::copy(buff.begin(), buff.end(), std::ostreambuf_iterator<char>(objFile));
873 if (!objFile.good()) {
874 LOGP(error, "Unable to open local file {}, Aborting", targetpath);
875 return false;
876 }
877 }
878 CCDBQuery querysummary(path, metadata, timestamp);
879
880 updateMetaInformationInLocalFile(targetpath.c_str(), &headers, &querysummary);
881 return true;
882}
883
884void CcdbApi::snapshot(std::string const& ccdbrootpath, std::string const& localDir, long timestamp) const
885{
886 // query all subpaths to ccdbrootpath
887 const auto allfolders = getAllFolders(ccdbrootpath);
888 std::map<string, string> metadata;
889 for (auto& folder : allfolders) {
890 retrieveBlob(folder, localDir, metadata, timestamp);
891 }
892}
893
894void* CcdbApi::extractFromTFile(TFile& file, TClass const* cl, const char* what)
895{
896 if (!cl) {
897 return nullptr;
898 }
899 auto object = file.GetObjectChecked(what, cl);
900 if (!object) {
901 // it could be that object was stored with previous convention
902 // where the classname was taken as key
903 std::string objectName(cl->GetName());
904 o2::utils::Str::trim(objectName);
905 object = file.GetObjectChecked(objectName.c_str(), cl);
906 LOG(warn) << "Did not find object under expected name " << what;
907 if (!object) {
908 return nullptr;
909 }
910 LOG(warn) << "Found object under deprecated name " << cl->GetName();
911 }
912 auto result = object;
913 // We need to handle some specific cases as ROOT ties them deeply
914 // to the file they are contained in
915 if (cl->InheritsFrom("TObject")) {
916 // make a clone
917 // detach from the file
918 auto tree = dynamic_cast<TTree*>((TObject*)object);
919 if (tree) {
920 tree->LoadBaskets(0x1L << 32); // make tree memory based
921 tree->SetDirectory(nullptr);
922 result = tree;
923 } else {
924 auto h = dynamic_cast<TH1*>((TObject*)object);
925 if (h) {
926 h->SetDirectory(nullptr);
927 result = h;
928 }
929 }
930 }
931 return result;
932}
933
934void* CcdbApi::extractFromLocalFile(std::string const& filename, std::type_info const& tinfo, std::map<std::string, std::string>* headers) const
935{
936 if (!std::filesystem::exists(filename)) {
937 LOG(error) << "Local snapshot " << filename << " not found \n";
938 return nullptr;
939 }
940 std::lock_guard<std::mutex> guard(gIOMutex);
941 auto tcl = tinfo2TClass(tinfo);
942 TFile f(filename.c_str(), "READ");
943 if (headers) {
944 auto storedmeta = retrieveMetaInfo(f);
945 if (storedmeta) {
946 *headers = *storedmeta; // do a simple deep copy
947 delete storedmeta;
948 }
949 if ((isSnapshotMode() || mPreferSnapshotCache) && headers->find("ETag") == headers->end()) { // generate dummy ETag to profit from the caching
950 (*headers)["ETag"] = filename;
951 }
952 if (headers->find("fileSize") == headers->end()) {
953 (*headers)["fileSize"] = fmt::format("{}", f.GetEND());
954 }
955 }
956 return extractFromTFile(f, tcl);
957}
958
959bool CcdbApi::initTGrid() const
960{
961 if (mNeedAlienToken && !mAlienInstance) {
962 static bool allowNoToken = getenv("ALICEO2_CCDB_NOTOKENCHECK") && atoi(getenv("ALICEO2_CCDB_NOTOKENCHECK"));
963 if (!allowNoToken && !checkAlienToken()) {
964 LOG(fatal) << "Alien Token Check failed - Please get an alien token before running with https CCDB endpoint, or alice-ccdb.cern.ch!";
965 }
966 mAlienInstance = TGrid::Connect("alien");
967 static bool errorShown = false;
968 if (!mAlienInstance && errorShown == false) {
969 if (allowNoToken) {
970 LOG(error) << "TGrid::Connect returned nullptr. May be due to missing alien token";
971 } else {
972 LOG(fatal) << "TGrid::Connect returned nullptr. May be due to missing alien token";
973 }
974 errorShown = true;
975 }
976 }
977 return mAlienInstance != nullptr;
978}
979
980void* CcdbApi::downloadFilesystemContent(std::string const& url, std::type_info const& tinfo, std::map<string, string>* headers) const
981{
982 if ((url.find("alien:/", 0) != std::string::npos) && !initTGrid()) {
983 return nullptr;
984 }
985 std::lock_guard<std::mutex> guard(gIOMutex);
986 auto memfile = TMemFile::Open(url.c_str(), "OPEN");
987 if (memfile) {
988 auto cl = tinfo2TClass(tinfo);
989 auto content = extractFromTFile(*memfile, cl);
990 if (headers && headers->find("fileSize") == headers->end()) {
991 (*headers)["fileSize"] = fmt::format("{}", memfile->GetEND());
992 }
993 delete memfile;
994 return content;
995 }
996 return nullptr;
997}
998
999void* CcdbApi::interpretAsTMemFileAndExtract(char* contentptr, size_t contentsize, std::type_info const& tinfo)
1000{
1001 void* result = nullptr;
1002 Int_t previousErrorLevel = gErrorIgnoreLevel;
1003 gErrorIgnoreLevel = kFatal;
1004 std::lock_guard<std::mutex> guard(gIOMutex);
1005 TMemFile memFile("name", contentptr, contentsize, "READ");
1006 gErrorIgnoreLevel = previousErrorLevel;
1007 if (!memFile.IsZombie()) {
1008 auto tcl = tinfo2TClass(tinfo);
1009 result = extractFromTFile(memFile, tcl);
1010 if (!result) {
1011 LOG(error) << o2::utils::Str::concat_string("Couldn't retrieve object corresponding to ", tcl->GetName(), " from TFile");
1012 }
1013 memFile.Close();
1014 }
1015 return result;
1016}
1017
1018// navigate sequence of URLs until TFile content is found; object is extracted and returned
1019void* CcdbApi::navigateURLsAndRetrieveContent(CURL* curl_handle, std::string const& url, std::type_info const& tinfo, std::map<string, string>* headers) const
1020{
1021 // a global internal data structure that can be filled with HTTP header information
1022 // static --> to avoid frequent alloc/dealloc as optimization
1023 // not sure if thread_local takes away that benefit
1024 static thread_local std::multimap<std::string, std::string> headerData;
1025
1026 // let's see first of all if the url is something specific that curl cannot handle
1027 if ((url.find("alien:/", 0) != std::string::npos) || (url.find("file:/", 0) != std::string::npos)) {
1028 return downloadFilesystemContent(url, tinfo, headers);
1029 }
1030 // add other final cases here
1031 // example root://
1032
1033 // otherwise make an HTTP/CURL request
1034 // specify URL to get
1035 curl_easy_setopt(curl_handle, CURLOPT_URL, url.c_str());
1036
1037 MemoryStruct chunk{(char*)malloc(1), 0};
1038 initCurlOptionsForRetrieve(curl_handle, (void*)&chunk, WriteMemoryCallback, false);
1039
1040 curl_easy_setopt(curl_handle, CURLOPT_HEADERFUNCTION, header_map_callback<decltype(headerData)>);
1041 headerData.clear();
1042 curl_easy_setopt(curl_handle, CURLOPT_HEADERDATA, (void*)&headerData);
1043
1044 curlSetSSLOptions(curl_handle);
1045
1046 auto res = CURL_perform(curl_handle);
1047 long response_code = -1;
1048 void* content = nullptr;
1049 bool errorflag = false;
1050 if (res == CURLE_OK && curl_easy_getinfo(curl_handle, CURLINFO_RESPONSE_CODE, &response_code) == CURLE_OK) {
1051 if (headers) {
1052 for (auto& p : headerData) {
1053 (*headers)[p.first] = p.second;
1054 }
1055 }
1056 if (200 <= response_code && response_code < 300) {
1057 // good response and the content is directly provided and should have been dumped into "chunk"
1058 content = interpretAsTMemFileAndExtract(chunk.memory, chunk.size, tinfo);
1059 if (headers && headers->find("fileSize") == headers->end()) {
1060 (*headers)["fileSize"] = fmt::format("{}", chunk.size);
1061 }
1062 } else if (response_code == 304) {
1063 // this means the object exist but I am not serving
1064 // it since it's already in your possession
1065
1066 // there is nothing to be done here
1067 LOGP(debug, "Object exists but I am not serving it since it's already in your possession");
1068 }
1069 // this is a more general redirection
1070 else if (300 <= response_code && response_code < 400) {
1071 // we try content locations in order of appearance until one succeeds
1072 // 1st: The "Location" field
1073 // 2nd: Possible "Content-Location" fields - Location field
1074
1075 // some locations are relative to the main server so we need to fix/complement them
1076 auto complement_Location = [this](std::string const& loc) {
1077 if (loc[0] == '/') {
1078 // if it's just a path (noticed by trailing '/' we prepend the server url
1079 return getURL() + loc;
1080 }
1081 return loc;
1082 };
1083
1084 std::vector<std::string> locs;
1085 auto iter = headerData.find("Location");
1086 if (iter != headerData.end()) {
1087 locs.push_back(complement_Location(iter->second));
1088 }
1089 // add alternative locations (not yet included)
1090 auto iter2 = headerData.find("Content-Location");
1091 if (iter2 != headerData.end()) {
1092 auto range = headerData.equal_range("Content-Location");
1093 for (auto it = range.first; it != range.second; ++it) {
1094 if (std::find(locs.begin(), locs.end(), it->second) == locs.end()) {
1095 locs.push_back(complement_Location(it->second));
1096 }
1097 }
1098 }
1099 for (auto& l : locs) {
1100 if (l.size() > 0) {
1101 LOG(debug) << "Trying content location " << l;
1102 content = navigateURLsAndRetrieveContent(curl_handle, l, tinfo, headers);
1103 if (content /* or other success marker in future */) {
1104 break;
1105 }
1106 }
1107 }
1108 } else if (response_code == 404) {
1109 LOG(error) << "Requested resource does not exist: " << url;
1110 errorflag = true;
1111 } else {
1112 LOG(error) << "Error in fetching object " << url << ", curl response code:" << response_code;
1113 errorflag = true;
1114 }
1115 // cleanup
1116 if (chunk.memory != nullptr) {
1117 free(chunk.memory);
1118 }
1119 } else {
1120 LOGP(alarm, "Curl request to {} failed with result {}, response code: {}", url, int(res), response_code);
1121 errorflag = true;
1122 }
1123 // indicate that an error occurred ---> used by caching layers (such as CCDBManager)
1124 if (errorflag && headers) {
1125 (*headers)["Error"] = "An error occurred during retrieval";
1126 }
1127 return content;
1128}
1129
1130void* CcdbApi::retrieveFromTFile(std::type_info const& tinfo, std::string const& path,
1131 std::map<std::string, std::string> const& metadata, long timestamp,
1132 std::map<std::string, std::string>* headers, std::string const& etag,
1133 const std::string& createdNotAfter, const std::string& createdNotBefore) const
1134{
1135 if (!mSnapshotCachePath.empty()) {
1136 // protect this sensitive section by a multi-process named semaphore
1137 auto semaphore_barrier = std::make_unique<CCDBSemaphore>(mSnapshotCachePath, path);
1138 std::string logfile = mSnapshotCachePath + "/log";
1139 std::fstream out(logfile, ios_base::out | ios_base::app);
1140 if (out.is_open()) {
1141 out << "CCDB-access[" << getpid() << "] of " << mUniqueAgentID << " to " << path << " timestamp " << timestamp << "\n";
1142 }
1143 auto snapshotfile = getSnapshotFile(mSnapshotCachePath, path);
1144 bool snapshoting = false;
1145 if (!std::filesystem::exists(snapshotfile)) {
1146 snapshoting = true;
1147 out << "CCDB-access[" << getpid() << "] ... " << mUniqueAgentID << " downloading to snapshot " << snapshotfile << "\n";
1148 // if file not already here and valid --> snapshot it
1149 if (!retrieveBlob(path, mSnapshotCachePath, metadata, timestamp)) {
1150 out << "CCDB-access[" << getpid() << "] ... " << mUniqueAgentID << " failed to create directory for " << snapshotfile << "\n";
1151 }
1152 } else {
1153 out << "CCDB-access[" << getpid() << "] ... " << mUniqueAgentID << "serving from local snapshot " << snapshotfile << "\n";
1154 }
1155
1156 auto res = extractFromLocalFile(snapshotfile, tinfo, headers);
1157 if (!snapshoting) { // if snapshot was created at this call, the log was already done
1158 logReading(path, timestamp, headers, "retrieve from snapshot");
1159 }
1160 return res;
1161 }
1162
1163 // normal mode follows
1164
1165 CURL* curl_handle = curl_easy_init();
1166 curl_easy_setopt(curl_handle, CURLOPT_USERAGENT, mUniqueAgentID.c_str());
1167 string fullUrl = getFullUrlForRetrieval(curl_handle, path, metadata, timestamp); // todo check if function still works correctly in case mInSnapshotMode
1168 // if we are in snapshot mode we can simply open the file; extract the object and return
1169 if (mInSnapshotMode) {
1170 auto res = extractFromLocalFile(fullUrl, tinfo, headers);
1171 if (res) {
1172 logReading(path, timestamp, headers, "retrieve from snapshot");
1173 }
1174 return res;
1175 }
1176
1177 curl_slist* option_list = nullptr;
1178 initCurlHTTPHeaderOptionsForRetrieve(curl_handle, option_list, timestamp, headers, etag, createdNotAfter, createdNotBefore);
1179 auto content = navigateURLsAndRetrieveContent(curl_handle, fullUrl, tinfo, headers);
1180
1181 for (size_t hostIndex = 1; hostIndex < hostsPool.size() && !(content); hostIndex++) {
1182 fullUrl = getFullUrlForRetrieval(curl_handle, path, metadata, timestamp, hostIndex);
1183 content = navigateURLsAndRetrieveContent(curl_handle, fullUrl, tinfo, headers);
1184 }
1185 if (content) {
1186 logReading(path, timestamp, headers, "retrieve");
1187 }
1188 curl_slist_free_all(option_list);
1189 curl_easy_cleanup(curl_handle);
1190 return content;
1191}
1192
1193size_t CurlWrite_CallbackFunc_StdString2(void* contents, size_t size, size_t nmemb, std::string* s)
1194{
1195 size_t newLength = size * nmemb;
1196 size_t oldLength = s->size();
1197 try {
1198 s->resize(oldLength + newLength);
1199 } catch (std::bad_alloc& e) {
1200 LOG(error) << "memory error when getting data from CCDB";
1201 return 0;
1202 }
1203
1204 std::copy((char*)contents, (char*)contents + newLength, s->begin() + oldLength);
1205 return size * nmemb;
1206}
1207
1208std::string CcdbApi::list(std::string const& path, bool latestOnly, std::string const& returnFormat, long createdNotAfter, long createdNotBefore) const
1209{
1210 CURL* curl;
1211 CURLcode res = CURL_LAST;
1212 std::string result;
1213
1214 curl = curl_easy_init();
1215 if (curl != nullptr) {
1216 curl_easy_setopt(curl, CURLOPT_WRITEFUNCTION, CurlWrite_CallbackFunc_StdString2);
1217 curl_easy_setopt(curl, CURLOPT_WRITEDATA, &result);
1218 curl_easy_setopt(curl, CURLOPT_USERAGENT, mUniqueAgentID.c_str());
1219
1220 struct curl_slist* headers = nullptr;
1221 headers = curl_slist_append(headers, (string("Accept: ") + returnFormat).c_str());
1222 headers = curl_slist_append(headers, (string("Content-Type: ") + returnFormat).c_str());
1223 if (createdNotAfter >= 0) {
1224 headers = curl_slist_append(headers, ("If-Not-After: " + std::to_string(createdNotAfter)).c_str());
1225 }
1226 if (createdNotBefore >= 0) {
1227 headers = curl_slist_append(headers, ("If-Not-Before: " + std::to_string(createdNotBefore)).c_str());
1228 }
1229 curl_easy_setopt(curl, CURLOPT_HTTPHEADER, headers);
1230
1231 curlSetSSLOptions(curl);
1232
1233 string fullUrl;
1234 // Perform the request, res will get the return code
1235 for (size_t hostIndex = 0; hostIndex < hostsPool.size() && res != CURLE_OK; hostIndex++) {
1236 fullUrl = getHostUrl(hostIndex);
1237 fullUrl += latestOnly ? "/latest/" : "/browse/";
1238 fullUrl += path;
1239 curl_easy_setopt(curl, CURLOPT_URL, fullUrl.c_str());
1240
1241 res = CURL_perform(curl);
1242 if (res != CURLE_OK) {
1243 LOGP(alarm, "CURL_perform() failed: {}", curl_easy_strerror(res));
1244 }
1245 }
1246 curl_slist_free_all(headers);
1247 curl_easy_cleanup(curl);
1248 }
1249
1250 return result;
1251}
1252
1253std::string CcdbApi::getTimestampString(long timestamp) const
1254{
1255 stringstream ss;
1256 ss << timestamp;
1257 return ss.str();
1258}
1259
1260void CcdbApi::deleteObject(std::string const& path, long timestamp) const
1261{
1262 CURL* curl;
1263 CURLcode res;
1264 stringstream fullUrl;
1265 long timestampLocal = timestamp == -1 ? getCurrentTimestamp() : timestamp;
1266
1267 curl = curl_easy_init();
1268 if (curl != nullptr) {
1269 curl_easy_setopt(curl, CURLOPT_CUSTOMREQUEST, "DELETE");
1270 curl_easy_setopt(curl, CURLOPT_USERAGENT, mUniqueAgentID.c_str());
1271 curlSetSSLOptions(curl);
1272
1273 for (size_t hostIndex = 0; hostIndex < hostsPool.size(); hostIndex++) {
1274 fullUrl << getHostUrl(hostIndex) << "/" << path << "/" << timestampLocal;
1275 curl_easy_setopt(curl, CURLOPT_URL, fullUrl.str().c_str());
1276
1277 // Perform the request, res will get the return code
1278 res = CURL_perform(curl);
1279 if (res != CURLE_OK) {
1280 LOGP(alarm, "CURL_perform() failed: {}", curl_easy_strerror(res));
1281 }
1282 curl_easy_cleanup(curl);
1283 }
1284 }
1285}
1286
1287void CcdbApi::truncate(std::string const& path) const
1288{
1289 CURL* curl;
1290 CURLcode res;
1291 stringstream fullUrl;
1292 for (size_t i = 0; i < hostsPool.size(); i++) {
1293 string url = getHostUrl(i);
1294 fullUrl << url << "/truncate/" << path;
1295
1296 curl = curl_easy_init();
1297 curl_easy_setopt(curl, CURLOPT_USERAGENT, mUniqueAgentID.c_str());
1298 if (curl != nullptr) {
1299 curl_easy_setopt(curl, CURLOPT_URL, fullUrl.str().c_str());
1300
1301 curlSetSSLOptions(curl);
1302
1303 // Perform the request, res will get the return code
1304 res = CURL_perform(curl);
1305 if (res != CURLE_OK) {
1306 LOGP(alarm, "CURL_perform() failed: {}", curl_easy_strerror(res));
1307 }
1308 curl_easy_cleanup(curl);
1309 }
1310 }
1311}
1312
1313size_t write_data(void*, size_t size, size_t nmemb, void*)
1314{
1315 return size * nmemb;
1316}
1317
1319{
1320 CURL* curl;
1321 CURLcode res = CURL_LAST;
1322 bool result = false;
1323
1324 curl = curl_easy_init();
1325 curl_easy_setopt(curl, CURLOPT_USERAGENT, mUniqueAgentID.c_str());
1326 if (curl) {
1327 for (size_t hostIndex = 0; hostIndex < hostsPool.size() && res != CURLE_OK; hostIndex++) {
1328 curl_easy_setopt(curl, CURLOPT_URL, mUrl.data());
1329 curl_easy_setopt(curl, CURLOPT_WRITEFUNCTION, write_data);
1330 curlSetSSLOptions(curl);
1331 res = CURL_perform(curl);
1332 result = (res == CURLE_OK);
1333 }
1334
1335 /* always cleanup */
1336 curl_easy_cleanup(curl);
1337 }
1338 return result;
1339}
1340
1341std::vector<std::string> CcdbApi::parseSubFolders(std::string const& reply) const
1342{
1343 // this needs some text filtering
1344 // go through reply line by line until we see "SubFolders:"
1345 std::stringstream ss(reply.c_str());
1346 std::string line;
1347 std::vector<std::string> folders;
1348
1349 size_t numberoflines = std::count(reply.begin(), reply.end(), '\n');
1350 bool inSubFolderSection = false;
1351
1352 for (size_t linenumber = 0; linenumber < numberoflines; ++linenumber) {
1353 std::getline(ss, line);
1354 if (inSubFolderSection && line.size() > 0) {
1355 // remove all white space
1356 folders.push_back(sanitizeObjectName(line));
1357 }
1358
1359 if (line.compare("Subfolders:") == 0) {
1360 inSubFolderSection = true;
1361 }
1362 }
1363 return folders;
1364}
1365
1366namespace
1367{
1368size_t header_callback(char* buffer, size_t size, size_t nitems, void* userdata)
1369{
1370 auto* headers = static_cast<std::vector<std::string>*>(userdata);
1371 auto header = std::string(buffer, size * nitems);
1372 headers->emplace_back(std::string(header.data()));
1373 return size * nitems;
1374}
1375} // namespace
1376
1377bool stdmap_to_jsonfile(std::map<std::string, std::string> const& meta, std::string const& filename)
1378{
1379
1380 // create directory structure if necessary
1381 auto p = std::filesystem::path(filename).parent_path();
1382 if (!std::filesystem::exists(p)) {
1383 std::filesystem::create_directories(p);
1384 }
1385
1386 rapidjson::StringBuffer buffer;
1387 rapidjson::Writer<rapidjson::StringBuffer> writer(buffer);
1388 writer.StartObject();
1389 for (const auto& pair : meta) {
1390 writer.Key(pair.first.c_str());
1391 writer.String(pair.second.c_str());
1392 }
1393 writer.EndObject();
1394
1395 // Write JSON to file
1396 std::ofstream file(filename);
1397 if (file.is_open()) {
1398 file << buffer.GetString();
1399 file.close();
1400 } else {
1401 return false;
1402 }
1403 return true;
1404}
1405
1406bool jsonfile_to_stdmap(std::map<std::string, std::string>& meta, std::string const& filename)
1407{
1408 // Read JSON from file
1409 std::ifstream file(filename);
1410 if (!file.is_open()) {
1411 std::cerr << "Failed to open file for reading." << std::endl;
1412 return false;
1413 }
1414
1415 std::string jsonStr((std::istreambuf_iterator<char>(file)), std::istreambuf_iterator<char>());
1416
1417 // Parse JSON
1418 rapidjson::Document document;
1419 document.Parse(jsonStr.c_str());
1420
1421 if (document.HasParseError()) {
1422 std::cerr << "Error parsing JSON" << std::endl;
1423 return false;
1424 }
1425
1426 // Convert JSON to std::map
1427 for (auto itr = document.MemberBegin(); itr != document.MemberEnd(); ++itr) {
1428 meta[itr->name.GetString()] = itr->value.GetString();
1429 }
1430 return true;
1431}
1432
1433std::map<std::string, std::string> CcdbApi::retrieveHeaders(std::string const& path, std::map<std::string, std::string> const& metadata, long timestamp) const
1434{
1435 // lambda that actually does the call to the CCDB server
1436 auto do_remote_header_call = [this, &path, &metadata, timestamp]() -> std::map<std::string, std::string> {
1437 CURL* curl = curl_easy_init();
1438 CURLcode res = CURL_LAST;
1439 string fullUrl = getFullUrlForRetrieval(curl, path, metadata, timestamp);
1440 std::map<std::string, std::string> headers;
1441
1442 if (curl != nullptr) {
1443 struct curl_slist* list = nullptr;
1444 list = curl_slist_append(list, ("If-None-Match: " + std::to_string(timestamp)).c_str());
1445
1446 curl_easy_setopt(curl, CURLOPT_HTTPHEADER, list);
1447
1448 /* get us the resource without a body! */
1449 curl_easy_setopt(curl, CURLOPT_NOBODY, 1L);
1450 curl_easy_setopt(curl, CURLOPT_FOLLOWLOCATION, 1L);
1451 curl_easy_setopt(curl, CURLOPT_HEADERFUNCTION, header_map_callback<>);
1452 curl_easy_setopt(curl, CURLOPT_HEADERDATA, &headers);
1453 curl_easy_setopt(curl, CURLOPT_USERAGENT, mUniqueAgentID.c_str());
1454
1455 curlSetSSLOptions(curl);
1456
1457 // Perform the request, res will get the return code
1458 long httpCode = 404;
1459 CURLcode getCodeRes = CURL_LAST;
1460 for (size_t hostIndex = 0; hostIndex < hostsPool.size() && (httpCode >= 400 || res > 0 || getCodeRes > 0); hostIndex++) {
1461 curl_easy_setopt(curl, CURLOPT_URL, fullUrl.c_str());
1462 res = CURL_perform(curl);
1463 if (res != CURLE_OK && res != CURLE_UNSUPPORTED_PROTOCOL) {
1464 // We take out the unsupported protocol error because we are only querying
1465 // header info which is returned in any case. Unsupported protocol error
1466 // occurs sometimes because of redirection to alien for blobs.
1467 LOG(error) << "CURL_perform() failed: " << curl_easy_strerror(res);
1468 }
1469 getCodeRes = curl_easy_getinfo(curl, CURLINFO_RESPONSE_CODE, &httpCode);
1470 }
1471 if (httpCode == 404) {
1472 headers.clear();
1473 }
1474 curl_easy_cleanup(curl);
1475 }
1476 return headers;
1477 };
1478
1479 if (!mSnapshotCachePath.empty()) {
1480 // protect this sensitive section by a multi-process named semaphore
1481 auto semaphore_barrier = std::make_unique<CCDBSemaphore>(mSnapshotCachePath + std::string("_headers"), path);
1482
1483 std::string logfile = mSnapshotCachePath + "/log";
1484 std::fstream out(logfile, ios_base::out | ios_base::app);
1485 if (out.is_open()) {
1486 out << "CCDB-header-access[" << getpid() << "] of " << mUniqueAgentID << " to " << path << " timestamp " << timestamp << "\n";
1487 }
1488 auto snapshotfile = getSnapshotFile(mSnapshotCachePath, path + "/" + std::to_string(timestamp), "header.json");
1489 if (!std::filesystem::exists(snapshotfile)) {
1490 out << "CCDB-header-access[" << getpid() << "] ... " << mUniqueAgentID << " storing to snapshot " << snapshotfile << "\n";
1491
1492 // if file not already here and valid --> snapshot it
1493 auto meta = do_remote_header_call();
1494
1495 // cache the result
1496 if (!stdmap_to_jsonfile(meta, snapshotfile)) {
1497 LOG(warn) << "Failed to cache the header information to disc";
1498 }
1499 return meta;
1500 } else {
1501 out << "CCDB-header-access[" << getpid() << "] ... " << mUniqueAgentID << "serving from local snapshot " << snapshotfile << "\n";
1502 std::map<std::string, std::string> meta;
1503 if (!jsonfile_to_stdmap(meta, snapshotfile)) {
1504 LOG(warn) << "Failed to read cached information from disc";
1505 return do_remote_header_call();
1506 }
1507 return meta;
1508 }
1509 }
1510 return do_remote_header_call();
1511}
1512
1513bool CcdbApi::getCCDBEntryHeaders(std::string const& url, std::string const& etag, std::vector<std::string>& headers, const std::string& agentID)
1514{
1515 auto curl = curl_easy_init();
1516 headers.clear();
1517 if (!curl) {
1518 return true;
1519 }
1520
1521 struct curl_slist* list = nullptr;
1522 list = curl_slist_append(list, ("If-None-Match: " + etag).c_str());
1523
1524 curl_easy_setopt(curl, CURLOPT_HTTPHEADER, list);
1525
1526 curl_easy_setopt(curl, CURLOPT_URL, url.c_str());
1527 /* get us the resource without a body! */
1528 curl_easy_setopt(curl, CURLOPT_NOBODY, 1L);
1529 curl_easy_setopt(curl, CURLOPT_FOLLOWLOCATION, 1L);
1530 curl_easy_setopt(curl, CURLOPT_HEADERFUNCTION, header_callback);
1531 curl_easy_setopt(curl, CURLOPT_HEADERDATA, &headers);
1532 if (!agentID.empty()) {
1533 curl_easy_setopt(curl, CURLOPT_USERAGENT, agentID.c_str());
1534 }
1535
1536 curlSetSSLOptions(curl);
1537
1538 /* Perform the request */
1539 curl_easy_perform(curl);
1540 long http_code = 404;
1541 curl_easy_getinfo(curl, CURLINFO_RESPONSE_CODE, &http_code);
1542 if (http_code == 304) {
1543 return false;
1544 }
1545 return true;
1546}
1547
1548void CcdbApi::parseCCDBHeaders(std::vector<std::string> const& headers, std::vector<std::string>& pfns, std::string& etag)
1549{
1550 static std::string etagHeader = "ETag: ";
1551 static std::string locationHeader = "Content-Location: ";
1552 for (auto h : headers) {
1553 if (h.find(etagHeader) == 0) {
1554 etag = std::string(h.data() + etagHeader.size());
1555 } else if (h.find(locationHeader) == 0) {
1556 pfns.emplace_back(std::string(h.data() + locationHeader.size(), h.size() - locationHeader.size()));
1557 }
1558 }
1559}
1560
1562{
1563 auto object = file.GetObjectChecked(CCDBQUERY_ENTRY, TClass::GetClass(typeid(o2::ccdb::CCDBQuery)));
1564 if (object) {
1565 return static_cast<CCDBQuery*>(object);
1566 }
1567 return nullptr;
1568}
1569
1570std::map<std::string, std::string>* CcdbApi::retrieveMetaInfo(TFile& file)
1571{
1572 auto object = file.GetObjectChecked(CCDBMETA_ENTRY, TClass::GetClass(typeid(std::map<std::string, std::string>)));
1573 if (object) {
1574 return static_cast<std::map<std::string, std::string>*>(object);
1575 }
1576 return nullptr;
1577}
1578
1579namespace
1580{
1581void traverseAndFillFolders(CcdbApi const& api, std::string const& top, std::vector<std::string>& folders)
1582{
1583 // LOG(info) << "Querying " << top;
1584 auto reply = api.list(top);
1585 folders.emplace_back(top);
1586 // LOG(info) << reply;
1587 auto subfolders = api.parseSubFolders(reply);
1588 if (subfolders.size() > 0) {
1589 // LOG(info) << subfolders.size() << " folders in " << top;
1590 for (auto& sub : subfolders) {
1591 traverseAndFillFolders(api, sub, folders);
1592 }
1593 } else {
1594 // LOG(info) << "NO subfolders in " << top;
1595 }
1596}
1597} // namespace
1598
1599std::vector<std::string> CcdbApi::getAllFolders(std::string const& top) const
1600{
1601 std::vector<std::string> folders;
1602 traverseAndFillFolders(*this, top, folders);
1603 return folders;
1604}
1605
1606TClass* CcdbApi::tinfo2TClass(std::type_info const& tinfo)
1607{
1608 TClass* cl = TClass::GetClass(tinfo);
1609 if (!cl) {
1610 throw std::runtime_error(fmt::format("Could not retrieve ROOT dictionary for type {}, aborting", tinfo.name()));
1611 return nullptr;
1612 }
1613 return cl;
1614}
1615
1616int CcdbApi::updateMetadata(std::string const& path, std::map<std::string, std::string> const& metadata, long timestamp, std::string const& id, long newEOV)
1617{
1618 int ret = -1;
1619 CURL* curl = curl_easy_init();
1620 curl_easy_setopt(curl, CURLOPT_USERAGENT, mUniqueAgentID.c_str());
1621 if (curl != nullptr) {
1622 CURLcode res;
1623 stringstream fullUrl;
1624 for (size_t hostIndex = 0; hostIndex < hostsPool.size(); hostIndex++) {
1625 fullUrl << getHostUrl(hostIndex) << "/" << path << "/" << timestamp;
1626 if (newEOV > 0) {
1627 fullUrl << "/" << newEOV;
1628 }
1629 if (!id.empty()) {
1630 fullUrl << "/" << id;
1631 }
1632 fullUrl << "?";
1633
1634 for (auto& kv : metadata) {
1635 string mfirst = kv.first;
1636 string msecond = kv.second;
1637 // same trick for the metadata as for the object type
1638 char* mfirstEncoded = curl_easy_escape(curl, mfirst.c_str(), mfirst.size());
1639 char* msecondEncoded = curl_easy_escape(curl, msecond.c_str(), msecond.size());
1640 fullUrl << string(mfirstEncoded) + "=" + string(msecondEncoded) + "&";
1641 curl_free(mfirstEncoded);
1642 curl_free(msecondEncoded);
1643 }
1644
1645 if (curl != nullptr) {
1646 LOG(debug) << "passing to curl: " << fullUrl.str();
1647 curl_easy_setopt(curl, CURLOPT_URL, fullUrl.str().c_str());
1648 curl_easy_setopt(curl, CURLOPT_CUSTOMREQUEST, "PUT"); // make sure we use PUT
1649 curl_easy_setopt(curl, CURLOPT_USERAGENT, mUniqueAgentID.c_str());
1650 curl_easy_setopt(curl, CURLOPT_FOLLOWLOCATION, 1L);
1651 curlSetSSLOptions(curl);
1652
1653 // Perform the request, res will get the return code
1654 res = CURL_perform(curl);
1655 if (res != CURLE_OK) {
1656 LOGP(alarm, "CURL_perform() failed: {}, code: {}", curl_easy_strerror(res), int(res));
1657 ret = int(res);
1658 } else {
1659 ret = 0;
1660 }
1661 curl_easy_cleanup(curl);
1662 }
1663 }
1664 }
1665 return ret;
1666}
1667
1668std::vector<std::string> CcdbApi::splitString(const std::string& str, const char* delimiters)
1669{
1670 std::vector<std::string> tokens;
1671 char stringForStrTok[str.length() + 1];
1672 strcpy(stringForStrTok, str.c_str());
1673 char* token = strtok(stringForStrTok, delimiters);
1674 while (token != nullptr) {
1675 tokens.emplace_back(token);
1676 token = strtok(nullptr, delimiters);
1677 }
1678 return tokens;
1679}
1680
1681void CcdbApi::initHostsPool(std::string hosts)
1682{
1683 hostsPool = splitString(hosts, ",;");
1684}
1685
1686std::string CcdbApi::getHostUrl(int hostIndex) const
1687{
1688 return hostsPool.at(hostIndex);
1689}
1690
1691void CcdbApi::scheduleDownload(RequestContext& requestContext, size_t* requestCounter) const
1692{
1693 auto data = new DownloaderRequestData(); // Deleted in transferFinished of CCDBDownloader.cxx
1694 data->hoPair.object = &requestContext.dest;
1695
1696 std::function<bool(std::string)> localContentCallback = [this, &requestContext](std::string url) {
1697 return this->loadLocalContentToMemory(requestContext.dest, url);
1698 };
1699
1700 auto writeCallback = [](void* contents, size_t size, size_t nmemb, void* chunkptr) {
1701 auto& ho = *static_cast<HeaderObjectPair_t*>(chunkptr);
1702 auto& chunk = *ho.object;
1703 size_t realsize = size * nmemb, sz = 0;
1704 ho.counter++;
1705 try {
1706 if (chunk.capacity() < chunk.size() + realsize) {
1707 // estimate headers size when converted to annotated text string
1708 const char hannot[] = "header";
1709 size_t hsize = getFlatHeaderSize(ho.header);
1710 auto cl = ho.header.find("Content-Length");
1711 if (cl != ho.header.end()) {
1712 size_t sizeFromHeader = std::stol(cl->second);
1713 sz = hsize + std::max(chunk.size() * (sizeFromHeader ? 1 : 2) + realsize, sizeFromHeader);
1714 } else {
1715 sz = hsize + std::max(chunk.size() * 2, chunk.size() + realsize);
1716 // LOGP(debug, "SIZE IS NOT IN HEADER, allocate {}", sz);
1717 }
1718 chunk.reserve(sz);
1719 }
1720 char* contC = (char*)contents;
1721 chunk.insert(chunk.end(), contC, contC + realsize);
1722 } catch (std::exception e) {
1723 // LOGP(alarm, "failed to reserve {} bytes in CURL write callback (realsize = {}): {}", sz, realsize, e.what());
1724 realsize = 0;
1725 }
1726 return realsize;
1727 };
1728
1729 CURL* curl_handle = curl_easy_init();
1730 curl_easy_setopt(curl_handle, CURLOPT_USERAGENT, mUniqueAgentID.c_str());
1731 string fullUrl = getFullUrlForRetrieval(curl_handle, requestContext.path, requestContext.metadata, requestContext.timestamp);
1732 curl_slist* options_list = nullptr;
1733 initCurlHTTPHeaderOptionsForRetrieve(curl_handle, options_list, requestContext.timestamp, &requestContext.headers,
1734 requestContext.etag, requestContext.createdNotAfter, requestContext.createdNotBefore);
1735
1736 data->headers = &requestContext.headers;
1737 data->hosts = hostsPool;
1738 data->path = requestContext.path;
1739 data->timestamp = requestContext.timestamp;
1740 data->localContentCallback = localContentCallback;
1741 data->userAgent = mUniqueAgentID;
1742 data->optionsList = options_list;
1743
1744 curl_easy_setopt(curl_handle, CURLOPT_URL, fullUrl.c_str());
1745 initCurlOptionsForRetrieve(curl_handle, (void*)(&data->hoPair), writeCallback, false);
1746 curl_easy_setopt(curl_handle, CURLOPT_HEADERFUNCTION, header_map_callback<decltype(data->hoPair.header)>);
1747 curl_easy_setopt(curl_handle, CURLOPT_HEADERDATA, (void*)&(data->hoPair.header));
1748 curl_easy_setopt(curl_handle, CURLOPT_PRIVATE, (void*)data);
1749 curlSetSSLOptions(curl_handle);
1750
1751 asynchPerform(curl_handle, requestCounter);
1752}
1753
1754std::string CcdbApi::determineSemaphoreName(std::string const& basedir, std::string const& ccdbpath)
1755{
1756 std::hash<std::string> hasher;
1757 std::string semhashedstring = "aliceccdb" + std::to_string(hasher(basedir + ccdbpath)).substr(0, 16);
1758 return semhashedstring;
1759}
1760
1761boost::interprocess::named_semaphore* CcdbApi::createNamedSemaphore(std::string const& path) const
1762{
1763 std::string semhashedstring = determineSemaphoreName(mSnapshotCachePath, path);
1764 // LOG(info) << "Creating named semaphore with name " << semhashedstring.c_str();
1765 try {
1766 return new boost::interprocess::named_semaphore(boost::interprocess::open_or_create_t{}, semhashedstring.c_str(), 1);
1767 } catch (std::exception e) {
1768 LOG(warn) << "Exception occurred during CCDB (cache) semaphore setup; Continuing without";
1769 return nullptr;
1770 }
1771}
1772
1773void CcdbApi::releaseNamedSemaphore(boost::interprocess::named_semaphore* sem, std::string const& path) const
1774{
1775 if (sem) {
1776 sem->post();
1777 if (sem->try_wait()) { // if nobody else is waiting remove the semaphore resource
1778 sem->post();
1779 boost::interprocess::named_semaphore::remove(determineSemaphoreName(mSnapshotCachePath, path).c_str());
1780 }
1781 }
1782}
1783
1784bool CcdbApi::removeSemaphore(std::string const& semaname, bool remove)
1785{
1786 // removes a given named semaphore from the system
1787 try {
1788 boost::interprocess::named_semaphore semaphore(boost::interprocess::open_only, semaname.c_str());
1789 std::cout << "Found CCDB semaphore: " << semaname << "\n";
1790 if (remove) {
1791 auto success = boost::interprocess::named_semaphore::remove(semaname.c_str());
1792 if (success) {
1793 std::cout << "Removed CCDB semaphore: " << semaname << "\n";
1794 }
1795 return success;
1796 }
1797 return true;
1798 } catch (std::exception const& e) {
1799 // no EXISTING under this name semaphore found
1800 // nothing to be done
1801 }
1802 return false;
1803}
1804
1805// helper function checking for leaking semaphores associated to CCDB cache files and removing them
1806// walks a local CCDB snapshot tree and checks
1807void CcdbApi::removeLeakingSemaphores(std::string const& snapshotdir, bool remove)
1808{
1809 namespace fs = std::filesystem;
1810 std::string fileName{"snapshot.root"};
1811 try {
1812 auto absolutesnapshotdir = fs::weakly_canonical(fs::absolute(snapshotdir));
1813 for (const auto& entry : fs::recursive_directory_iterator(absolutesnapshotdir)) {
1814 if (entry.is_directory()) {
1815 const fs::path& currentDir = fs::canonical(fs::absolute(entry.path()));
1816 fs::path filePath = currentDir / fileName;
1817 if (fs::exists(filePath) && fs::is_regular_file(filePath)) {
1818 std::cout << "Directory with file '" << fileName << "': " << currentDir << std::endl;
1819
1820 // we need to obtain the path relative to snapshotdir
1821 auto pathtokens = o2::utils::Str::tokenize(currentDir, '/', true);
1822 auto numtokens = pathtokens.size();
1823 if (numtokens < 3) {
1824 // cannot be a CCDB path
1825 continue;
1826 }
1827 // path are last 3 entries
1828 std::string path = pathtokens[numtokens - 3] + "/" + pathtokens[numtokens - 2] + "/" + pathtokens[numtokens - 1];
1829 auto semaname = o2::ccdb::CcdbApi::determineSemaphoreName(absolutesnapshotdir, path);
1830 removeSemaphore(semaname, remove);
1831 }
1832 }
1833 }
1834 } catch (std::exception const& e) {
1835 LOG(info) << "Semaphore search had exception " << e.what();
1836 }
1837}
1838
1839void CcdbApi::getFromSnapshot(bool createSnapshot, std::string const& path,
1840 long timestamp, std::map<std::string, std::string>& headers,
1841 std::string& snapshotpath, o2::pmr::vector<char>& dest, int& fromSnapshot, std::string const& etag) const
1842{
1843 if (createSnapshot) { // create named semaphore
1844 std::string logfile = mSnapshotCachePath + "/log";
1845 std::fstream logStream = std::fstream(logfile, ios_base::out | ios_base::app);
1846 if (logStream.is_open()) {
1847 logStream << "CCDB-access[" << getpid() << "] of " << mUniqueAgentID << " to " << path << " timestamp " << timestamp << " for load to memory\n";
1848 }
1849 }
1850 if (mInSnapshotMode) { // file must be there, otherwise a fatal will be produced;
1851 if (etag.empty()) {
1852 loadFileToMemory(dest, getSnapshotFile(mSnapshotTopPath, path), &headers);
1853 }
1854 fromSnapshot = 1;
1855 } else if (mPreferSnapshotCache && std::filesystem::exists(snapshotpath)) {
1856 // if file is available, use it, otherwise cache it below from the server. Do this only when etag is empty since otherwise the object was already fetched and cached
1857 if (etag.empty()) {
1858 loadFileToMemory(dest, snapshotpath, &headers);
1859 }
1860 fromSnapshot = 2;
1861 }
1862}
1863
1864void CcdbApi::saveSnapshot(RequestContext& requestContext) const
1865{
1866 // Consider saving snapshot
1867 if (!mSnapshotCachePath.empty() && !(mInSnapshotMode && mSnapshotTopPath == mSnapshotCachePath)) { // store in the snapshot only if the object was not read from the snapshot
1868 auto semaphore_barrier = std::make_unique<CCDBSemaphore>(mSnapshotCachePath, requestContext.path);
1869
1870 auto snapshotdir = getSnapshotDir(mSnapshotCachePath, requestContext.path);
1871 std::string snapshotpath = getSnapshotFile(mSnapshotCachePath, requestContext.path);
1873 std::fstream logStream;
1874 if (logStream.is_open()) {
1875 logStream << "CCDB-access[" << getpid() << "] ... " << mUniqueAgentID << " downloading to snapshot " << snapshotpath << " from memory\n";
1876 }
1877 { // dump image to a file
1878 LOGP(debug, "creating snapshot {} -> {}", requestContext.path, snapshotpath);
1879 CCDBQuery querysummary(requestContext.path, requestContext.metadata, requestContext.timestamp);
1880 {
1881 std::ofstream objFile(snapshotpath, std::ios::out | std::ofstream::binary);
1882 std::copy(requestContext.dest.begin(), requestContext.dest.end(), std::ostreambuf_iterator<char>(objFile));
1883 }
1884 // now open the same file as root file and store metadata
1885 updateMetaInformationInLocalFile(snapshotpath, &requestContext.headers, &querysummary);
1886 }
1887 }
1888}
1889
1890void CcdbApi::loadFileToMemory(std::vector<char>& dest, std::string const& path,
1891 std::map<std::string, std::string> const& metadata, long timestamp,
1892 std::map<std::string, std::string>* headers, std::string const& etag,
1893 const std::string& createdNotAfter, const std::string& createdNotBefore, bool considerSnapshot) const
1894{
1896 destP.reserve(dest.size());
1897 loadFileToMemory(destP, path, metadata, timestamp, headers, etag, createdNotAfter, createdNotBefore, considerSnapshot);
1898 dest.clear();
1899 dest.reserve(destP.size());
1900 for (const auto c : destP) {
1901 dest.push_back(c);
1902 }
1903}
1904
1906 std::map<std::string, std::string> const& metadata, long timestamp,
1907 std::map<std::string, std::string>* headers, std::string const& etag,
1908 const std::string& createdNotAfter, const std::string& createdNotBefore, bool considerSnapshot) const
1909{
1910 RequestContext requestContext(dest, metadata, *headers);
1911 requestContext.path = path;
1912 // std::map<std::string, std::string> metadataCopy = metadata; // Create a copy because metadata will be passed as a pointer so it cannot be constant. The const in definition is for backwards compatability.
1913 // requestContext.metadata = metadataCopy;
1914 requestContext.timestamp = timestamp;
1915 requestContext.etag = etag;
1916 requestContext.createdNotAfter = createdNotAfter;
1917 requestContext.createdNotBefore = createdNotBefore;
1918 requestContext.considerSnapshot = considerSnapshot;
1919 std::vector<RequestContext> contexts = {requestContext};
1920 vectoredLoadFileToMemory(contexts);
1921}
1922
1923void CcdbApi::appendFlatHeader(o2::pmr::vector<char>& dest, const std::map<std::string, std::string>& headers)
1924{
1925 size_t hsize = getFlatHeaderSize(headers), cnt = dest.size();
1926 dest.resize(cnt + hsize);
1927 auto addString = [&dest, &cnt](const std::string& s) {
1928 for (char c : s) {
1929 dest[cnt++] = c;
1930 }
1931 dest[cnt++] = 0;
1932 };
1933
1934 for (auto& h : headers) {
1935 addString(h.first);
1936 addString(h.second);
1937 }
1938 *reinterpret_cast<int*>(&dest[cnt]) = hsize; // store size
1939 std::memcpy(&dest[cnt + sizeof(int)], FlatHeaderAnnot, sizeof(FlatHeaderAnnot)); // annotate the flattened headers map
1940}
1941
1942void CcdbApi::navigateSourcesAndLoadFile(RequestContext& requestContext, int& fromSnapshot, size_t* requestCounter) const
1943{
1944 LOGP(debug, "loadFileToMemory {} ETag=[{}]", requestContext.path, requestContext.etag);
1945 bool createSnapshot = requestContext.considerSnapshot && !mSnapshotCachePath.empty(); // create snaphot if absent
1946
1947 std::string snapshotpath;
1948 if (mInSnapshotMode || std::filesystem::exists(snapshotpath = getSnapshotFile(mSnapshotCachePath, requestContext.path))) {
1949 auto semaphore_barrier = std::make_unique<CCDBSemaphore>(mSnapshotCachePath, requestContext.path);
1950 // if we are in snapshot mode we can simply open the file, unless the etag is non-empty:
1951 // this would mean that the object was is already fetched and in this mode we don't to validity checks!
1952 getFromSnapshot(createSnapshot, requestContext.path, requestContext.timestamp, requestContext.headers, snapshotpath, requestContext.dest, fromSnapshot, requestContext.etag);
1953 } else { // look on the server
1954 scheduleDownload(requestContext, requestCounter);
1955 }
1956}
1957
1958void CcdbApi::vectoredLoadFileToMemory(std::vector<RequestContext>& requestContexts) const
1959{
1960 std::vector<int> fromSnapshots(requestContexts.size());
1961 size_t requestCounter = 0;
1962
1963 // Get files from snapshots and schedule downloads
1964 for (int i = 0; i < requestContexts.size(); i++) {
1965 // navigateSourcesAndLoadFile either retrieves file from snapshot immediately, or schedules it to be downloaded when mDownloader->runLoop is ran at a later time
1966 auto& requestContext = requestContexts.at(i);
1967 navigateSourcesAndLoadFile(requestContext, fromSnapshots.at(i), &requestCounter);
1968 }
1969
1970 // Download the rest
1971 while (requestCounter > 0) {
1972 mDownloader->runLoop(0);
1973 }
1974
1975 // Save snapshots
1976 for (int i = 0; i < requestContexts.size(); i++) {
1977 auto& requestContext = requestContexts.at(i);
1978 if (!requestContext.dest.empty()) {
1979 logReading(requestContext.path, requestContext.timestamp, &requestContext.headers,
1980 fmt::format("{}{}", requestContext.considerSnapshot ? "load to memory" : "retrieve", fromSnapshots.at(i) ? " from snapshot" : ""));
1981 if (requestContext.considerSnapshot && fromSnapshots.at(i) != 2) {
1982 saveSnapshot(requestContext);
1983 }
1984 }
1985 }
1986}
1987
1989{
1990 if (url.find("alien:/", 0) != std::string::npos) {
1991 std::map<std::string, std::string> localHeaders;
1992 loadFileToMemory(dest, url, &localHeaders, false);
1993 auto it = localHeaders.find("Error");
1994 if (it != localHeaders.end() && it->second == "An error occurred during retrieval") {
1995 return false;
1996 } else {
1997 return true;
1998 }
1999 }
2000 if ((url.find("file:/", 0) != std::string::npos)) {
2001 std::string path = url.substr(7);
2002 if (std::filesystem::exists(path)) {
2003 std::map<std::string, std::string> localHeaders;
2004 loadFileToMemory(dest, url, &localHeaders, o2::utils::Str::endsWith(path, ".root"));
2005 auto it = localHeaders.find("Error");
2006 if (it != localHeaders.end() && it->second == "An error occurred during retrieval") {
2007 return false;
2008 } else {
2009 return true;
2010 }
2011 }
2012 }
2013 return false;
2014}
2015
2016void CcdbApi::loadFileToMemory(o2::pmr::vector<char>& dest, const std::string& path, std::map<std::string, std::string>* localHeaders, bool fetchLocalMetaData) const
2017{
2018 // Read file to memory as vector. For special case of the locally cached file retriev metadata stored directly in the file
2019 constexpr size_t MaxCopySize = 0x1L << 25;
2020 auto signalError = [&dest, localHeaders]() {
2021 dest.clear();
2022 dest.reserve(1);
2023 if (localHeaders) { // indicate that an error occurred ---> used by caching layers (such as CCDBManager)
2024 (*localHeaders)["Error"] = "An error occurred during retrieval";
2025 }
2026 };
2027 if (path.find("alien:/") == 0 && !initTGrid()) {
2028 signalError();
2029 return;
2030 }
2031 std::string fname(path);
2032 if (fname.find("?filetype=raw") == std::string::npos) {
2033 fname += "?filetype=raw";
2034 }
2035 std::unique_ptr<TFile> sfile{TFile::Open(fname.c_str())};
2036 if (!sfile || sfile->IsZombie()) {
2037 LOG(error) << "Failed to open file " << fname;
2038 signalError();
2039 return;
2040 }
2041 size_t totalread = 0, fsize = sfile->GetSize(), b00 = sfile->GetBytesRead();
2042 dest.resize(fsize);
2043 char* dptr = dest.data();
2044 sfile->Seek(0);
2045 long nread = 0;
2046 do {
2047 size_t b0 = sfile->GetBytesRead(), b1 = b0 - b00;
2048 size_t readsize = fsize - b1 > MaxCopySize ? MaxCopySize : fsize - b1;
2049 if (readsize == 0) {
2050 break;
2051 }
2052 sfile->Seek(totalread, TFile::kBeg);
2053 bool failed = sfile->ReadBuffer(dptr, (Int_t)readsize);
2054 nread = sfile->GetBytesRead() - b0;
2055 if (failed || nread < 0) {
2056 LOG(error) << "failed to copy file " << fname << " to memory buffer";
2057 signalError();
2058 return;
2059 }
2060 dptr += nread;
2061 totalread += nread;
2062 } while (nread == (long)MaxCopySize);
2063
2064 if (localHeaders && fetchLocalMetaData) {
2065 TMemFile memFile("name", const_cast<char*>(dest.data()), dest.size(), "READ");
2066 auto storedmeta = (std::map<std::string, std::string>*)extractFromTFile(memFile, TClass::GetClass("std::map<std::string, std::string>"), CCDBMETA_ENTRY);
2067 if (storedmeta) {
2068 *localHeaders = *storedmeta; // do a simple deep copy
2069 delete storedmeta;
2070 }
2071 if ((isSnapshotMode() || mPreferSnapshotCache) && localHeaders->find("ETag") == localHeaders->end()) { // generate dummy ETag to profit from the caching
2072 (*localHeaders)["ETag"] = path;
2073 }
2074 if (localHeaders->find("fileSize") == localHeaders->end()) {
2075 (*localHeaders)["fileSize"] = fmt::format("{}", memFile.GetEND());
2076 }
2077 }
2078 return;
2079}
2080
2081void CcdbApi::checkMetadataKeys(std::map<std::string, std::string> const& metadata) const
2082{
2083
2084 // function to check if any key contains invalid characters
2085 // if so, a fatal will be issued
2086
2087 const std::regex regexPatternSearch(R"([ :;.,\\/'?!\‍(\)\{\}\[\]@<>=+*#$&`|~^%])");
2088 bool isInvalid = false;
2089
2090 for (auto& el : metadata) {
2091 auto keyMd = el.first;
2092 auto tmp = keyMd;
2093 std::smatch searchRes;
2094 while (std::regex_search(keyMd, searchRes, regexPatternSearch)) {
2095 isInvalid = true;
2096 LOG(error) << "Invalid character found in metadata key '" << tmp << "\': '" << searchRes.str() << "\'";
2097 keyMd = searchRes.suffix();
2098 }
2099 }
2100 if (isInvalid) {
2101 LOG(fatal) << "Some metadata keys have invalid characters, please fix!";
2102 }
2103 return;
2104}
2105
2106void CcdbApi::logReading(const std::string& path, long ts, const std::map<std::string, std::string>* headers, const std::string& comment) const
2107{
2108 std::string upath{path};
2109 if (headers) {
2110 auto ent = headers->find("Valid-From");
2111 if (ent != headers->end()) {
2112 upath += "/" + ent->second;
2113 }
2114 ent = headers->find("ETag");
2115 if (ent != headers->end()) {
2116 upath += "/" + ent->second;
2117 }
2118 }
2119 upath.erase(remove(upath.begin(), upath.end(), '\"'), upath.end());
2120 LOGP(info, "ccdb reads {}{}{} for {} ({}, agent_id: {}), ", mUrl, mUrl.back() == '/' ? "" : "/", upath, ts < 0 ? getCurrentTimestamp() : ts, comment, mUniqueAgentID);
2121}
2122
2123void CcdbApi::asynchPerform(CURL* handle, size_t* requestCounter) const
2124{
2125 mDownloader->asynchSchedule(handle, requestCounter);
2126}
2127
2128CURLcode CcdbApi::CURL_perform(CURL* handle) const
2129{
2130 if (mIsCCDBDownloaderPreferred) {
2131 return mDownloader->perform(handle);
2132 }
2133 CURLcode result;
2134 for (int i = 1; i <= mCurlRetries && (result = curl_easy_perform(handle)) != CURLE_OK; i++) {
2135 usleep(mCurlDelayRetries * i);
2136 }
2137 return result;
2138}
2139
2144CCDBSemaphore::CCDBSemaphore(std::string const& snapshotpath, std::string const& path)
2145{
2146 LOG(debug) << "Entering semaphore barrier";
2147 mSemName = CcdbApi::determineSemaphoreName(snapshotpath, path);
2148 try {
2149 mSem = new boost::interprocess::named_semaphore(boost::interprocess::open_or_create_t{}, mSemName.c_str(), 1);
2150 } catch (std::exception e) {
2151 LOG(warn) << "Exception occurred during CCDB (cache) semaphore setup; Continuing without";
2152 mSem = nullptr;
2153 }
2154 // automatically wait
2155 if (mSem) {
2156 gSemaRegistry.add(this);
2157 mSem->wait();
2158 }
2159}
2160
2162{
2163 LOG(debug) << "Ending semaphore barrier";
2164 if (mSem) {
2165 mSem->post();
2166 if (mSem->try_wait()) { // if nobody else is waiting remove the semaphore resource
2167 mSem->post();
2168 boost::interprocess::named_semaphore::remove(mSemName.c_str());
2169 }
2170 gSemaRegistry.remove(this);
2171 }
2172}
2173
2175{
2176 LOG(debug) << "Cleaning up semaphore registry with count " << mStore.size();
2177 for (auto& s : mStore) {
2178 delete s;
2179 mStore.erase(s);
2180 }
2181}
2182
2184{
2185 mStore.insert(ptr);
2186}
2187
2189{
2190 mStore.erase(ptr);
2191}
2192
2193} // namespace o2::ccdb
int32_t i
const GPUTPCGMMerger::trackCluster & b1
#define failed(...)
Definition Utils.h:42
uint8_t errorflag
Definition RawData.h:0
uint32_t res
Definition RawData.h:0
uint32_t c
Definition RawData.h:2
TBranch * ptr
std::vector< std::string > splitString(const std::string &src, char delim, bool trim=false)
std::ostringstream debug
StringRef key
Class for time synchronization of RawReader instances.
void setRequestTimeoutTime(int timeoutMS)
CURLcode perform(CURL *handle)
void asynchSchedule(CURL *handle, size_t *requestCounter)
void setKeepaliveTimeoutTime(int timeoutMS)
CCDBSemaphore(std::string const &cachepath, std::string const &path)
Definition CcdbApi.cxx:2144
static void curlSetSSLOptions(CURL *curl)
Definition CcdbApi.cxx:612
static std::string generateFileName(const std::string &inp)
Definition CcdbApi.cxx:815
std::string list(std::string const &path="", bool latestOnly=false, std::string const &returnFormat="text/plain", long createdNotAfter=-1, long createdNotBefore=-1) const
Definition CcdbApi.cxx:1208
int storeAsTFile_impl(const void *obj1, std::type_info const &info, std::string const &path, std::map< std::string, std::string > const &metadata, long startValidityTimestamp=-1, long endValidityTimestamp=-1, std::vector< char >::size_type maxSize=0) const
Definition CcdbApi.cxx:335
static bool checkAlienToken()
Definition CcdbApi.cxx:128
void runDownloaderLoop(bool noWait)
Definition CcdbApi.cxx:267
void releaseNamedSemaphore(boost::interprocess::named_semaphore *sem, std::string const &path) const
Definition CcdbApi.cxx:1773
bool retrieveBlob(std::string const &path, std::string const &targetdir, std::map< std::string, std::string > const &metadata, long timestamp, bool preservePathStructure=true, std::string const &localFileName="snapshot.root", std::string const &createdNotAfter="", std::string const &createdNotBefore="") const
Definition CcdbApi.cxx:832
static std::map< std::string, std::string > * retrieveMetaInfo(TFile &)
Definition CcdbApi.cxx:1570
void scheduleDownload(RequestContext &requestContext, size_t *requestCounter) const
Definition CcdbApi.cxx:1691
TObject * retrieve(std::string const &path, std::map< std::string, std::string > const &metadata, long timestamp) const
Definition CcdbApi.cxx:787
void init(std::string const &hosts)
Definition CcdbApi.cxx:165
TObject * retrieveFromTFile(std::string const &path, std::map< std::string, std::string > const &metadata, long timestamp, std::map< std::string, std::string > *headers, std::string const &etag, const std::string &createdNotAfter, const std::string &createdNotBefore) const
Definition CcdbApi.cxx:825
std::string const & getURL() const
Definition CcdbApi.h:87
void getFromSnapshot(bool createSnapshot, std::string const &path, long timestamp, std::map< std::string, std::string > &headers, std::string &snapshotpath, o2::pmr::vector< char > &dest, int &fromSnapshot, std::string const &etag) const
Definition CcdbApi.cxx:1839
bool loadLocalContentToMemory(o2::pmr::vector< char > &dest, std::string &url) const
Definition CcdbApi.cxx:1988
static void removeLeakingSemaphores(std::string const &basedir, bool remove=false)
Definition CcdbApi.cxx:1807
void saveSnapshot(RequestContext &requestContext) const
Definition CcdbApi.cxx:1864
static std::unique_ptr< std::vector< char > > createObjectImage(const T *obj, CcdbObjectInfo *info=nullptr)
Definition CcdbApi.h:103
static void * extractFromTFile(TFile &file, TClass const *cl, const char *what=CCDBOBJECT_ENTRY)
Definition CcdbApi.cxx:894
int storeAsTFile(const TObject *rootObject, std::string const &path, std::map< std::string, std::string > const &metadata, long startValidityTimestamp=-1, long endValidityTimestamp=-1, std::vector< char >::size_type maxSize=0) const
Definition CcdbApi.cxx:466
void snapshot(std::string const &ccdbrootpath, std::string const &localDir, long timestamp) const
Definition CcdbApi.cxx:884
bool isSnapshotMode() const
Definition CcdbApi.h:93
bool isHostReachable() const
Definition CcdbApi.cxx:1318
void loadFileToMemory(std::vector< char > &dest, std::string const &path, std::map< std::string, std::string > const &metadata, long timestamp, std::map< std::string, std::string > *headers, std::string const &etag, const std::string &createdNotAfter, const std::string &createdNotBefore, bool considerSnapshot=true) const
Definition CcdbApi.cxx:1890
static std::string determineSemaphoreName(std::string const &basedir, std::string const &objectpath)
Definition CcdbApi.cxx:1754
void deleteObject(std::string const &path, long timestamp=-1) const
Definition CcdbApi.cxx:1260
static void appendFlatHeader(o2::pmr::vector< char > &dest, const std::map< std::string, std::string > &headers)
Definition CcdbApi.cxx:1923
std::vector< std::string > getAllFolders(std::string const &top) const
Definition CcdbApi.cxx:1599
void vectoredLoadFileToMemory(std::vector< RequestContext > &requestContext) const
Definition CcdbApi.cxx:1958
boost::interprocess::named_semaphore * createNamedSemaphore(std::string const &path) const
Definition CcdbApi.cxx:1761
static bool removeSemaphore(std::string const &name, bool remove=false)
Definition CcdbApi.cxx:1784
std::map< std::string, std::string > retrieveHeaders(std::string const &path, std::map< std::string, std::string > const &metadata, long timestamp=-1) const
Definition CcdbApi.cxx:1433
CcdbApi()
Default constructor.
Definition CcdbApi.cxx:95
static bool getCCDBEntryHeaders(std::string const &url, std::string const &etag, std::vector< std::string > &headers, const std::string &agentID="")
Definition CcdbApi.cxx:1513
static CCDBQuery * retrieveQueryInfo(TFile &)
Definition CcdbApi.cxx:1561
static constexpr const char * CCDBQUERY_ENTRY
Definition CcdbApi.h:335
void truncate(std::string const &path) const
Definition CcdbApi.cxx:1287
int storeAsBinaryFile(const char *buffer, size_t size, const std::string &fileName, const std::string &objectType, const std::string &path, const std::map< std::string, std::string > &metadata, long startValidityTimestamp, long endValidityTimestamp, std::vector< char >::size_type maxSize=0) const
Definition CcdbApi.cxx:351
static void parseCCDBHeaders(std::vector< std::string > const &headers, std::vector< std::string > &pfns, std::string &etag)
Definition CcdbApi.cxx:1548
int updateMetadata(std::string const &path, std::map< std::string, std::string > const &metadata, long timestamp, std::string const &id="", long newEOV=0)
Definition CcdbApi.cxx:1616
static constexpr const char * CCDBMETA_ENTRY
Definition CcdbApi.h:336
static constexpr const char * CCDBOBJECT_ENTRY
Definition CcdbApi.h:337
void navigateSourcesAndLoadFile(RequestContext &requestContext, int &fromSnapshot, size_t *requestCounter) const
Definition CcdbApi.cxx:1942
std::vector< std::string > parseSubFolders(std::string const &reply) const
Definition CcdbApi.cxx:1341
virtual ~CcdbApi()
Default destructor.
Definition CcdbApi.cxx:111
void setFileName(const std::string &nm)
const std::string & getObjectType() const
void setObjectType(const std::string &tp)
const std::string & getFileName() const
void add(CCDBSemaphore const *ptr)
Definition CcdbApi.cxx:2183
void remove(CCDBSemaphore const *ptr)
Definition CcdbApi.cxx:2188
GLsizei const GLchar *const * string
Definition glcorearb.h:809
const GLfloat * m
Definition glcorearb.h:4066
GLuint64EXT * result
Definition glcorearb.h:5662
GLint void * img
Definition glcorearb.h:550
GLuint buffer
Definition glcorearb.h:655
GLuint entry
Definition glcorearb.h:5735
GLsizeiptr size
Definition glcorearb.h:659
GLuint GLuint end
Definition glcorearb.h:469
GLuint index
Definition glcorearb.h:781
GLdouble GLdouble GLdouble GLdouble top
Definition glcorearb.h:4077
GLdouble f
Definition glcorearb.h:310
GLenum GLint * range
Definition glcorearb.h:1899
GLsizei const GLfloat * value
Definition glcorearb.h:819
GLboolean * data
Definition glcorearb.h:298
GLsizei const GLchar *const * path
Definition glcorearb.h:3591
GLuint object
Definition glcorearb.h:4041
GLuint start
Definition glcorearb.h:469
GLuint GLuint stream
Definition glcorearb.h:1806
GLbitfield GLuint64 timeout
Definition glcorearb.h:1573
GLenum GLuint GLenum GLsizei const GLchar * buf
Definition glcorearb.h:2514
GLuint id
Definition glcorearb.h:650
information complementary to a CCDB object (path, metadata, startTimeValidity, endTimeValidity etc)
bool stdmap_to_jsonfile(std::map< std::string, std::string > const &meta, std::string const &filename)
Definition CcdbApi.cxx:1377
size_t write_data(void *, size_t size, size_t nmemb, void *)
Definition CcdbApi.cxx:1313
long getCurrentTimestamp()
returns the timestamp in long corresponding to "now"
size_t(*)(void *, size_t, size_t, void *) CurlWriteCallback
Definition CcdbApi.cxx:638
std::string sanitizeObjectName(const std::string &objectName)
Definition CcdbApi.cxx:298
std::mutex gIOMutex
Definition CcdbApi.cxx:59
bool jsonfile_to_stdmap(std::map< std::string, std::string > &meta, std::string const &filename)
Definition CcdbApi.cxx:1406
long getFutureTimestamp(int secondsInFuture)
returns the timestamp in long corresponding to "now + secondsInFuture"
size_t CurlWrite_CallbackFunc_StdString2(void *contents, size_t size, size_t nmemb, std::string *s)
Definition CcdbApi.cxx:1193
std::string timestamp() noexcept
Definition Clock.h:84
Defining PrimaryVertex explicitly as messageable.
Definition TFIDInfo.h:20
std::vector< T, o2::pmr::polymorphic_allocator< T > > vector
void createDirectoriesIfAbsent(std::string const &path)
Defining DataPointCompositeObject explicitly as copiable.
std::string to_string(gsl::span< T, Size > span)
Definition common.h:52
std::string filename()
void empty(int)
Definition list.h:40
std::map< std::string, std::string > const & metadata
Definition CcdbApi.h:360
std::map< std::string, std::string > & headers
Definition CcdbApi.h:362
o2::pmr::vector< char > & dest
Definition CcdbApi.h:358
o2::pmr::vector< char > * object
static DeploymentMode deploymentMode()
static std::string getClassName(const T &obj)
get the class name of the object
static std::unique_ptr< FileImage > createFileImage(const TObject &obj, const std::string &fileName, const std::string &objName)
static void trim(std::string &s)
Definition StringUtils.h:71
static std::vector< std::string > tokenize(const std::string &src, char delim, bool trimToken=true, bool skipEmpty=true)
static std::string concat_string(Ts const &... ts)
static bool endsWith(const std::string &s, const std::string &ending)
static std::string getRandomString(int length)
LOG(info)<< "Compressed in "<< sw.CpuTime()<< " s"
std::unique_ptr< TTree > tree((TTree *) flIn.Get(std::string(o2::base::NameConf::CTFTREENAME).c_str()))
const std::string str
uint64_t const void const *restrict const msg
Definition x9.h:153