LLDB mainline
DataFileCache.cpp
Go to the documentation of this file.
1//===-- DataFileCache.cpp -------------------------------------------------===//
2//
3// Part of the LLVM Project, under the Apache License v2.0 with LLVM Exceptions.
4// See https://llvm.org/LICENSE.txt for license information.
5// SPDX-License-Identifier: Apache-2.0 WITH LLVM-exception
6//
7//===----------------------------------------------------------------------===//
8
10#include "lldb/Core/Module.h"
16#include "lldb/Utility/Log.h"
17#include "llvm/Support/CachePruning.h"
18
19using namespace lldb_private;
20
21
22llvm::CachePruningPolicy DataFileCache::GetLLDBIndexCachePolicy() {
23 static llvm::CachePruningPolicy policy;
24 static llvm::once_flag once_flag;
25
26 llvm::call_once(once_flag, []() {
27 // Prune the cache based off of the LLDB settings each time we create a
28 // cache object.
29 ModuleListProperties &properties =
31 // Only scan once an hour. If we have lots of debug sessions we don't want
32 // to scan this directory too often. A timestamp file is written to the
33 // directory to ensure different processes don't scan the directory too
34 // often. This setting doesn't mean that a thread will continually scan the
35 // cache directory within this process.
36 policy.Interval = std::chrono::hours(1);
37 // Get the user settings for pruning.
38 policy.MaxSizeBytes = properties.GetLLDBIndexCacheMaxByteSize();
39 policy.MaxSizePercentageOfAvailableSpace =
40 properties.GetLLDBIndexCacheMaxPercent();
41 policy.Expiration =
42 std::chrono::hours(properties.GetLLDBIndexCacheExpirationDays() * 24);
43 });
44 return policy;
45}
46
47DataFileCache::DataFileCache(llvm::StringRef path, llvm::CachePruningPolicy policy) {
48 m_cache_dir.SetPath(path);
49 pruneCache(path, policy);
50
51 // This lambda will get called when the data is gotten from the cache and
52 // also after the data was set for a given key. We only need to take
53 // ownership of the data if we are geting the data, so we use the
54 // m_take_ownership member variable to indicate if we need to take
55 // ownership.
56
57 auto add_buffer = [this](unsigned task, const llvm::Twine &moduleName,
58 std::unique_ptr<llvm::MemoryBuffer> m) {
60 m_mem_buff_up = std::move(m);
61 };
62 llvm::Expected<llvm::FileCache> cache_or_err =
63 llvm::localCache("LLDBModuleCache", "lldb-module", path, add_buffer);
64 if (cache_or_err)
65 m_cache_callback = std::move(*cache_or_err);
66 else {
68 LLDB_LOG_ERROR(log, cache_or_err.takeError(),
69 "failed to create lldb index cache directory: {0}");
70 }
71}
72
73std::unique_ptr<llvm::MemoryBuffer>
74DataFileCache::GetCachedData(llvm::StringRef key) {
75 std::lock_guard<std::mutex> guard(m_mutex);
76
77 const unsigned task = 1;
78 m_take_ownership = true;
79 // If we call the "m_cache_callback" function and the data is cached, it will
80 // call the "add_buffer" lambda function from the constructor which will in
81 // turn take ownership of the member buffer that is passed to the callback and
82 // put it into a member variable.
83 llvm::Expected<llvm::AddStreamFn> add_stream_or_err =
84 m_cache_callback(task, key, "");
85 m_take_ownership = false;
86 // At this point we either already called the "add_buffer" lambda with
87 // the data or we haven't. We can tell if we got the cached data by checking
88 // the add_stream function pointer value below.
89 if (add_stream_or_err) {
90 llvm::AddStreamFn &add_stream = *add_stream_or_err;
91 // If the "add_stream" is nullptr, then the data was cached and we already
92 // called the "add_buffer" lambda. If it is valid, then if we were to call
93 // the add_stream function it would cause a cache file to get generated
94 // and we would be expected to fill in the data. In this function we only
95 // want to check if the data was cached, so we don't want to call
96 // "add_stream" in this function.
97 if (!add_stream)
98 return std::move(m_mem_buff_up);
99 } else {
101 LLDB_LOG_ERROR(log, add_stream_or_err.takeError(),
102 "failed to get the cache add stream callback for key: {0}");
103 }
104 // Data was not cached.
105 return std::unique_ptr<llvm::MemoryBuffer>();
106}
107
108bool DataFileCache::SetCachedData(llvm::StringRef key,
109 llvm::ArrayRef<uint8_t> data) {
110 std::lock_guard<std::mutex> guard(m_mutex);
111 const unsigned task = 2;
112 // If we call this function and the data is cached, it will call the
113 // add_buffer lambda function from the constructor which will ignore the
114 // data.
115 llvm::Expected<llvm::AddStreamFn> add_stream_or_err =
116 m_cache_callback(task, key, "");
117 // If we reach this code then we either already called the callback with
118 // the data or we haven't. We can tell if we had the cached data by checking
119 // the CacheAddStream function pointer value below.
120 if (add_stream_or_err) {
121 llvm::AddStreamFn &add_stream = *add_stream_or_err;
122 // If the "add_stream" is nullptr, then the data was cached. If it is
123 // valid, then if we call the add_stream function with a task it will
124 // cause the file to get generated, but we only want to check if the data
125 // is cached here, so we don't want to call it here. Note that the
126 // add_buffer will also get called in this case after the data has been
127 // provided, but we won't take ownership of the memory buffer as we just
128 // want to write the data.
129 if (add_stream) {
130 llvm::Expected<std::unique_ptr<llvm::CachedFileStream>> file_or_err =
131 add_stream(task, "");
132 if (file_or_err) {
133 llvm::CachedFileStream *cfs = file_or_err->get();
134 cfs->OS->write((const char *)data.data(), data.size());
135 if (llvm::Error err = cfs->commit()) {
137 LLDB_LOG_ERROR(log, std::move(err),
138 "failed to commit to the cache for key: {0}");
139 }
140 return true;
141 } else {
143 LLDB_LOG_ERROR(log, file_or_err.takeError(),
144 "failed to get the cache file stream for key: {0}");
145 }
146 }
147 } else {
149 LLDB_LOG_ERROR(log, add_stream_or_err.takeError(),
150 "failed to get the cache add stream callback for key: {0}");
151 }
152 return false;
153}
154
156 FileSpec cache_file(m_cache_dir);
157 std::string filename("llvmcache-");
158 filename += key.str();
159 cache_file.AppendPathComponent(filename);
160 return cache_file;
161}
162
164 FileSpec cache_file = GetCacheFilePath(key);
166 if (!fs.Exists(cache_file))
167 return Status();
168 return fs.RemoveFile(cache_file);
169}
170
172 Clear();
173 UUID uuid = module->GetUUID();
174 if (uuid.IsValid())
175 m_uuid = uuid;
176
177 std::time_t mod_time = 0;
178 mod_time = llvm::sys::toTimeT(module->GetModificationTime());
179 if (mod_time != 0)
180 m_mod_time = mod_time;
181
182 mod_time = llvm::sys::toTimeT(module->GetObjectModificationTime());
183 if (mod_time != 0)
184 m_obj_mod_time = mod_time;
185}
186
188 Clear();
189 UUID uuid = objfile->GetUUID();
190 if (uuid.IsValid())
191 m_uuid = uuid;
192
193 std::time_t mod_time = 0;
194 // Grab the modification time of the object file's file. It isn't always the
195 // same as the module's file when you have a executable file as the main
196 // executable, and you have a object file for a symbol file.
198 mod_time = llvm::sys::toTimeT(fs.GetModificationTime(objfile->GetFileSpec()));
199 if (mod_time != 0)
200 m_mod_time = mod_time;
201
202 mod_time =
203 llvm::sys::toTimeT(objfile->GetModule()->GetObjectModificationTime());
204 if (mod_time != 0)
205 m_obj_mod_time = mod_time;
206}
207
214
216 if (!IsValid())
217 return false; // Invalid signature, return false!
218
219 if (m_uuid) {
220 llvm::ArrayRef<uint8_t> uuid_bytes = m_uuid->GetBytes();
221 encoder.AppendU8(eSignatureUUID);
222 encoder.AppendU8(uuid_bytes.size());
223 encoder.AppendData(uuid_bytes);
224 }
225 if (m_mod_time) {
227 encoder.AppendU32(*m_mod_time);
228 }
229 if (m_obj_mod_time) {
231 encoder.AppendU32(*m_obj_mod_time);
232 }
233 encoder.AppendU8(eSignatureEnd);
234 return true;
235}
236
238 lldb::offset_t *offset_ptr) {
239 Clear();
240 while (uint8_t sig_encoding = data.GetU8(offset_ptr)) {
241 switch (sig_encoding) {
242 case eSignatureUUID: {
243 const uint8_t length = data.GetU8(offset_ptr);
244 const uint8_t *bytes = (const uint8_t *)data.GetData(offset_ptr, length);
245 if (bytes != nullptr && length > 0)
246 m_uuid = UUID(llvm::ArrayRef<uint8_t>(bytes, length));
247 } break;
248 case eSignatureModTime: {
249 uint32_t mod_time = data.GetU32(offset_ptr);
250 if (mod_time > 0)
251 m_mod_time = mod_time;
252 } break;
254 uint32_t mod_time = data.GetU32(offset_ptr);
255 if (mod_time > 0)
256 m_obj_mod_time = mod_time;
257 } break;
258 case eSignatureEnd:
259 // The definition of is valid changed to only be valid if the UUID is
260 // valid so make sure that if we attempt to decode an old cache file
261 // that we will fail to decode the cache file if the signature isn't
262 // considered valid.
263 return IsValid();
264 default:
265 break;
266 }
267 }
268 return false;
269}
270
272 auto [pos, inserted] = m_string_to_offset.try_emplace(s, m_next_offset);
273 if (inserted) {
274 m_strings.push_back(s);
275 m_next_offset += s.GetLength() + 1;
276 }
277 return pos->second;
278}
279
280static const llvm::StringRef kStringTableIdentifier("STAB");
281
283 // Write an 4 character code into the stream. This will help us when decoding
284 // to make sure we find this identifier when decoding the string table to make
285 // sure we have the rigth data. It also helps to identify the string table
286 // when dumping the hex bytes in a cache file.
288 size_t length_offset = encoder.GetByteSize();
289 encoder.AppendU32(0); // Total length of all strings which will be fixed up.
290 size_t strtab_offset = encoder.GetByteSize();
291 encoder.AppendU8(0); // Start the string table with an empty string.
292 for (auto s: m_strings) {
293 // Make sure all of the offsets match up with what we handed out!
294 assert(m_string_to_offset.find(s)->second ==
295 encoder.GetByteSize() - strtab_offset);
296 // Append the C string into the encoder
297 encoder.AppendCString(s.GetStringRef());
298 }
299 // Fixup the string table length.
300 encoder.PutU32(length_offset, encoder.GetByteSize() - strtab_offset);
301 return true;
302}
303
305 lldb::offset_t *offset_ptr) {
306 llvm::StringRef identifier((const char *)data.GetData(offset_ptr, 4), 4);
307 if (identifier != kStringTableIdentifier)
308 return false;
309 const uint32_t length = data.GetU32(offset_ptr);
310 // We always have at least one byte for the empty string at offset zero.
311 if (length == 0)
312 return false;
313 const char *bytes = (const char *)data.GetData(offset_ptr, length);
314 if (bytes == nullptr)
315 return false;
316 m_data = llvm::StringRef(bytes, length);
317 return true;
318}
319
320llvm::StringRef StringTableReader::Get(uint32_t offset) const {
321 if (offset >= m_data.size())
322 return llvm::StringRef();
323 return llvm::StringRef(m_data.data() + offset);
324}
325
static const llvm::StringRef kStringTableIdentifier("STAB")
SignatureEncoding
@ eSignatureModTime
@ eSignatureUUID
@ eSignatureObjectModTime
@ eSignatureEnd
#define LLDB_LOG_ERROR(log, error,...)
Definition Log.h:392
bool Encode(DataEncoder &encoder)
std::vector< ConstString > m_strings
llvm::DenseMap< ConstString, uint32_t > m_string_to_offset
uint32_t Add(ConstString s)
Add a string into the string table.
uint32_t m_next_offset
Skip one byte to start the string table off with an empty string.
A uniqued constant string class.
Definition ConstString.h:40
size_t GetLength() const
Get the length in bytes of string value.
An binary data encoding class.
Definition DataEncoder.h:42
void AppendCString(llvm::StringRef data)
Append a C string to the end of the owned data.
void AppendU32(uint32_t value)
size_t GetByteSize() const
Get the number of bytes contained in this object.
uint32_t PutU32(uint32_t offset, uint32_t value)
void AppendU8(uint8_t value)
Append a unsigned integer to the end of the owned data.
void AppendData(llvm::StringRef data)
Append a bytes to the end of the owned data.
An data extractor class.
const void * GetData(lldb::offset_t *offset_ptr, lldb::offset_t length) const
Extract length bytes from *offset_ptr.
uint32_t GetU32(lldb::offset_t *offset_ptr) const
Extract a uint32_t value from *offset_ptr.
uint8_t GetU8(lldb::offset_t *offset_ptr) const
Extract a uint8_t value from *offset_ptr.
FileSpec GetCacheFilePath(llvm::StringRef key)
Return the cache file that is associated with the key.
std::unique_ptr< llvm::MemoryBuffer > GetCachedData(llvm::StringRef key)
Get cached data from the cache directory for the specified key.
bool SetCachedData(llvm::StringRef key, llvm::ArrayRef< uint8_t > data)
Set cached data for the specified key.
llvm::FileCache m_cache_callback
std::unique_ptr< llvm::MemoryBuffer > m_mem_buff_up
DataFileCache(llvm::StringRef path, llvm::CachePruningPolicy policy=DataFileCache::GetLLDBIndexCachePolicy())
Create a data file cache in the directory path that is specified, using the specified policy.
static llvm::CachePruningPolicy GetLLDBIndexCachePolicy()
Gets the default LLDB index cache policy, which is controlled by the "LLDBIndexCache" family of setti...
Status RemoveCacheFile(llvm::StringRef key)
Remove the cache file associated with the key.
A file utility class.
Definition FileSpec.h:57
void AppendPathComponent(llvm::StringRef component)
Definition FileSpec.cpp:454
llvm::sys::TimePoint GetModificationTime(const FileSpec &file_spec) const
Returns the modification time of the given file.
bool Exists(const FileSpec &file_spec) const
Returns whether the given file exists.
static FileSystem & Instance()
Status RemoveFile(const FileSpec &file_spec)
Remove a single file.
lldb::ModuleSP GetModule() const
Get const accessor for the module pointer.
static ModuleListProperties & GetGlobalModuleListProperties()
A class that describes an executable image and its associated object and symbol files.
Definition Module.h:90
const llvm::sys::TimePoint & GetObjectModificationTime() const
Definition Module.h:494
const llvm::sys::TimePoint & GetModificationTime() const
Definition Module.h:490
A plug-in interface definition class for object file parsers.
Definition ObjectFile.h:45
virtual FileSpec & GetFileSpec()
Get accessor to the object file specification.
Definition ObjectFile.h:281
virtual UUID GetUUID()=0
Gets the UUID for this object file.
An error handling class.
Definition Status.h:118
bool Decode(const DataExtractor &data, lldb::offset_t *offset_ptr)
llvm::StringRef m_data
All of the strings in the string table are contained in m_data.
llvm::StringRef Get(uint32_t offset) const
Represents UUID's of various sizes.
Definition UUID.h:27
bool IsValid() const
Definition UUID.h:69
A class that represents a running process on the host machine.
Log * GetLog(Cat mask)
Retrieve the Log object for the channel associated with the given log enum.
Definition Log.h:332
uint64_t offset_t
Definition lldb-types.h:85
bool Decode(const DataExtractor &data, lldb::offset_t *offset_ptr)
Decode a serialized version of this object from data.
bool Encode(DataEncoder &encoder) const
Encode this object into a data encoder object.
bool IsValid() const
Return true only if the CacheSignature is valid.
std::optional< std::time_t > m_mod_time
Modification time of file on disk.
std::optional< std::time_t > m_obj_mod_time
If this describes a .o file with a BSD archive, the BSD archive's modification time will be in m_mod_...
std::optional< UUID > m_uuid
UUID of object file or module.