1 /*
2  * Copyright (C) 2015 The Android Open Source Project
3  *
4  * Licensed under the Apache License, Version 2.0 (the "License");
5  * you may not use this file except in compliance with the License.
6  * You may obtain a copy of the License at
7  *
8  *      http://www.apache.org/licenses/LICENSE-2.0
9  *
10  * Unless required by applicable law or agreed to in writing, software
11  * distributed under the License is distributed on an "AS IS" BASIS,
12  * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
13  * See the License for the specific language governing permissions and
14  * limitations under the License.
15  */
16 
17 #include "debugger_interface.h"
18 
19 #include <android-base/logging.h>
20 
21 #include "base/array_ref.h"
22 #include "base/bit_utils.h"
23 #include "base/logging.h"
24 #include "base/mutex.h"
25 #include "base/time_utils.h"
26 #include "base/utils.h"
27 #include "dex/dex_file.h"
28 #include "elf/elf_debug_reader.h"
29 #include "jit/jit.h"
30 #include "jit/jit_code_cache.h"
31 #include "jit/jit_memory_region.h"
32 #include "runtime.h"
33 #include "thread-current-inl.h"
34 #include "thread.h"
35 
36 #include <atomic>
37 #include <cstddef>
38 
39 //
40 // Debug interface for native tools (gdb, lldb, libunwind, simpleperf).
41 //
42 // See http://sourceware.org/gdb/onlinedocs/gdb/Declarations.html
43 //
44 // There are two ways for native tools to access the debug data safely:
45 //
46 // 1) Synchronously, by setting a breakpoint in the __*_debug_register_code
47 //    method, which is called after every modification of the linked list.
48 //    GDB does this, but it is complex to set up and it stops the process.
49 //
50 // 2) Asynchronously, using the entry seqlocks.
51 //   * The seqlock is a monotonically increasing counter, which
52 //     is even if the entry is valid and odd if it is invalid.
53 //     It is set to even value after all other fields are set,
54 //     and it is set to odd value before the entry is deleted.
55 //   * This makes it possible to safely read the symfile data:
56 //     * The reader should read the value of the seqlock both
57 //       before and after reading the symfile. If the seqlock
58 //       values match and are even the copy is consistent.
59 //   * Entries are recycled, but never freed, which guarantees
60 //     that the seqlock is not overwritten by a random value.
61 //   * The linked-list is one level higher.  The next-pointer
62 //     must always point to an entry with even seqlock, which
63 //     ensures that entries of a crashed process can be read.
64 //     This means the entry must be added after it is created
65 //     and it must be removed before it is invalidated (odd).
66 //   * When iterating over the linked list the reader can use
67 //     the timestamps to ensure that current and next entry
68 //     were not deleted using the following steps:
69 //       1) Read next pointer and the next entry's seqlock.
70 //       2) Read the symfile and re-read the next pointer.
71 //       3) Re-read both the current and next seqlock.
72 //       4) Go to step 1 with using new entry and seqlock.
73 //
74 // 3) Asynchronously, using the global seqlock.
75 //   * The seqlock is a monotonically increasing counter which is incremented
76 //     before and after every modification of the linked list. Odd value of
77 //     the counter means the linked list is being modified (it is locked).
78 //   * The tool should read the value of the seqlock both before and after
79 //     copying the linked list.  If the seqlock values match and are even,
80 //     the copy is consistent.  Otherwise, the reader should try again.
81 //     * Note that using the data directly while is it being modified
82 //       might crash the tool.  Therefore, the only safe way is to make
83 //       a copy and use the copy only after the seqlock has been checked.
84 //     * Note that the process might even free and munmap the data while
85 //       it is being copied, therefore the reader should either handle
86 //       SEGV or use OS calls to read the memory (e.g. process_vm_readv).
87 //   * The timestamps on the entry record the time when the entry was
88 //     created which is relevant if the unwinding is not live and is
89 //     postponed until much later.  All timestamps must be unique.
90 //   * For full conformance with the C++ memory model, all seqlock
91 //     protected accesses should be atomic. We currently do this in the
92 //     more critical cases. The rest will have to be fixed before
93 //     attempting to run TSAN on this code.
94 //
95 
96 namespace art HIDDEN {
97 
98 static Mutex g_jit_debug_lock("JIT native debug entries", kNativeDebugInterfaceLock);
99 static Mutex g_dex_debug_lock("DEX native debug entries", kNativeDebugInterfaceLock);
100 
101 // Most loads and stores need no synchronization since all memory is protected by the global locks.
102 // Some writes are synchronized so libunwindstack can read the memory safely from another process.
103 constexpr std::memory_order kNonRacingRelaxed = std::memory_order_relaxed;
104 
105 // Size of JIT code range covered by each packed JITCodeEntry.
106 constexpr uint32_t kJitRepackGroupSize = 64 * KB;
107 
108 // Automatically call the repack method every 'n' new entries.
109 constexpr uint32_t kJitRepackFrequency = 64;
110 
111 }  // namespace art
112 
113 // Public binary interface between ART and native tools (gdb, libunwind, etc).
114 // The fields below need to be exported and have special names as per the gdb api.
115 namespace art EXPORT {
116 extern "C" {
117   enum JITAction {
118     JIT_NOACTION = 0,
119     JIT_REGISTER_FN,
120     JIT_UNREGISTER_FN
121   };
122 
123   // Public/stable binary interface.
124   struct JITCodeEntryPublic {
125     std::atomic<const JITCodeEntry*> next_;  // Atomic to guarantee consistency after crash.
126     const JITCodeEntry* prev_ = nullptr;     // For linked list deletion. Unused in readers.
127     const uint8_t* symfile_addr_ = nullptr;  // Address of the in-memory ELF file.
128     uint64_t symfile_size_ = 0;              // NB: The offset is 12 on x86 but 16 on ARM32.
129 
130     // Android-specific fields:
131     uint64_t timestamp_;                     // CLOCK_MONOTONIC time of entry registration.
132     std::atomic_uint32_t seqlock_{1};        // Synchronization. Even value if entry is valid.
133   };
134 
135   // Implementation-specific fields (which can be used only in this file).
136   struct JITCodeEntry : public JITCodeEntryPublic {
137     // Unpacked entries: Code address of the symbol in the ELF file.
138     // Packed entries: The start address of the covered memory range.
139     const void* addr_ = nullptr;
140     // Allow merging of ELF files to save space.
141     // Packing drops advanced DWARF data, so it is not always desirable.
142     bool allow_packing_ = false;
143     // Whether this entry has been LZMA compressed.
144     // Compression is expensive, so we don't always do it.
145     bool is_compressed_ = false;
146   };
147 
148   // Public/stable binary interface.
149   struct JITDescriptorPublic {
150     uint32_t version_ = 1;                            // NB: GDB supports only version 1.
151     uint32_t action_flag_ = JIT_NOACTION;             // One of the JITAction enum values.
152     const JITCodeEntry* relevant_entry_ = nullptr;    // The entry affected by the action.
153     std::atomic<const JITCodeEntry*> head_{nullptr};  // Head of link list of all entries.
154 
155     // Android-specific fields:
156     uint8_t magic_[8] = {'A', 'n', 'd', 'r', 'o', 'i', 'd', '2'};
157     uint32_t flags_ = 0;  // Reserved for future use. Must be 0.
158     uint32_t sizeof_descriptor = sizeof(JITDescriptorPublic);
159     uint32_t sizeof_entry = sizeof(JITCodeEntryPublic);
160     std::atomic_uint32_t seqlock_{0};  // Incremented before and after any modification.
161     uint64_t timestamp_ = 1;           // CLOCK_MONOTONIC time of last action.
162   };
163 
164   // Implementation-specific fields (which can be used only in this file).
165   struct JITDescriptor : public JITDescriptorPublic {
166     const JITCodeEntry* tail_ = nullptr;          // Tail of link list of all live entries.
167     const JITCodeEntry* free_entries_ = nullptr;  // List of deleted entries ready for reuse.
168 
169     // Used for memory sharing with zygote. See NativeDebugInfoPreFork().
170     const JITCodeEntry* zygote_head_entry_ = nullptr;
171     JITCodeEntry application_tail_entry_{};
172   };
173 
174   // Public interface: Can be used by reader to check the structs have the expected size.
175   uint32_t g_art_sizeof_jit_code_entry = sizeof(JITCodeEntryPublic);
176   uint32_t g_art_sizeof_jit_descriptor = sizeof(JITDescriptorPublic);
177 
178   // Check that std::atomic has the expected layout.
179   static_assert(alignof(std::atomic_uint32_t) == alignof(uint32_t), "Weird alignment");
180   static_assert(sizeof(std::atomic_uint32_t) == sizeof(uint32_t), "Weird size");
181   static_assert(std::atomic_uint32_t::is_always_lock_free, "Expected to be lock free");
182   static_assert(alignof(std::atomic<void*>) == alignof(void*), "Weird alignment");
183   static_assert(sizeof(std::atomic<void*>) == sizeof(void*), "Weird size");
184   static_assert(std::atomic<void*>::is_always_lock_free, "Expected to be lock free");
185 
186   // GDB may set breakpoint here. We must ensure it is not removed or deduplicated.
__jit_debug_register_code()187   void __attribute__((noinline)) __jit_debug_register_code() {
188     __asm__("");
189   }
190 
191   // Alternatively, native tools may overwrite this field to execute custom handler.
192   void (*__jit_debug_register_code_ptr)() = __jit_debug_register_code;
193 
194   // The root data structure describing of all JITed methods.
GUARDED_BY(g_jit_debug_lock)195   JITDescriptor __jit_debug_descriptor GUARDED_BY(g_jit_debug_lock) {};
196 
197   // The following globals mirror the ones above, but are used to register dex files.
__dex_debug_register_code()198   void __attribute__((noinline)) __dex_debug_register_code() {
199     __asm__("");
200   }
201   void (*__dex_debug_register_code_ptr)() = __dex_debug_register_code;
GUARDED_BY(g_dex_debug_lock)202   JITDescriptor __dex_debug_descriptor GUARDED_BY(g_dex_debug_lock) {};
203 }
204 }  // namespace art
205 
206 namespace art HIDDEN {
207 
208 // The fields below are internal, but we keep them here anyway for consistency.
209 // Their state is related to the static state above and it must be kept in sync.
210 
211 // Used only in debug builds to check that we are not adding duplicate entries.
212 static std::unordered_set<const void*> g_dcheck_all_jit_functions GUARDED_BY(g_jit_debug_lock);
213 
214 // Methods that have been marked for deletion on the next repack pass.
215 static std::vector<const void*> g_removed_jit_functions GUARDED_BY(g_jit_debug_lock);
216 
217 // Number of small (single symbol) ELF files. Used to trigger repacking.
218 static uint32_t g_jit_num_unpacked_entries = 0;
219 
220 struct DexNativeInfo {
221   static constexpr bool kCopySymfileData = false;  // Just reference DEX files.
Descriptorart::DexNativeInfo222   static JITDescriptor& Descriptor() { return __dex_debug_descriptor; }
NotifyNativeDebuggerart::DexNativeInfo223   static void NotifyNativeDebugger() { __dex_debug_register_code_ptr(); }
Allocart::DexNativeInfo224   static const void* Alloc(size_t size) { return malloc(size); }
Freeart::DexNativeInfo225   static void Free(const void* ptr) { free(const_cast<void*>(ptr)); }
Writableart::DexNativeInfo226   template<class T> static T* Writable(const T* v) { return const_cast<T*>(v); }
227 };
228 
229 struct JitNativeInfo {
230   static constexpr bool kCopySymfileData = true;  // Copy debug info to JIT memory.
Descriptorart::JitNativeInfo231   static JITDescriptor& Descriptor() { return __jit_debug_descriptor; }
NotifyNativeDebuggerart::JitNativeInfo232   static void NotifyNativeDebugger() { __jit_debug_register_code_ptr(); }
Allocart::JitNativeInfo233   static const void* Alloc(size_t size) { return Memory()->AllocateData(size); }
Freeart::JitNativeInfo234   static void Free(const void* ptr) { Memory()->FreeData(reinterpret_cast<const uint8_t*>(ptr)); }
235   static void Free(void* ptr) = delete;
236 
Writableart::JitNativeInfo237   template<class T> static T* Writable(const T* v) {
238     // Special case: This entry is in static memory and not allocated in JIT memory.
239     if (v == reinterpret_cast<const void*>(&Descriptor().application_tail_entry_)) {
240       return const_cast<T*>(v);
241     }
242     return const_cast<T*>(Memory()->GetWritableDataAddress(v));
243   }
244 
Memoryart::JitNativeInfo245   static jit::JitMemoryRegion* Memory() ASSERT_CAPABILITY(Locks::jit_lock_) {
246     Locks::jit_lock_->AssertHeld(Thread::Current());
247     jit::JitCodeCache* jit_code_cache = Runtime::Current()->GetJitCodeCache();
248     CHECK(jit_code_cache != nullptr);
249     jit::JitMemoryRegion* memory = jit_code_cache->GetCurrentRegion();
250     CHECK(memory->IsValid());
251     return memory;
252   }
253 };
254 
GetJITCodeEntrySymFile(const JITCodeEntry * entry)255 ArrayRef<const uint8_t> GetJITCodeEntrySymFile(const JITCodeEntry* entry) {
256   return ArrayRef<const uint8_t>(entry->symfile_addr_, entry->symfile_size_);
257 }
258 
259 // Ensure the timestamp is monotonically increasing even in presence of low
260 // granularity system timer.  This ensures each entry has unique timestamp.
GetNextTimestamp(JITDescriptor & descriptor)261 static uint64_t GetNextTimestamp(JITDescriptor& descriptor) {
262   return std::max(descriptor.timestamp_ + 1, NanoTime());
263 }
264 
265 // Mark the descriptor as "locked", so native tools know the data is being modified.
Seqlock(JITDescriptor & descriptor)266 static void Seqlock(JITDescriptor& descriptor) {
267   DCHECK_EQ(descriptor.seqlock_.load(kNonRacingRelaxed) & 1, 0u) << "Already locked";
268   descriptor.seqlock_.fetch_add(1, std::memory_order_relaxed);
269   // Ensure that any writes within the locked section cannot be reordered before the increment.
270   std::atomic_thread_fence(std::memory_order_release);
271 }
272 
273 // Mark the descriptor as "unlocked", so native tools know the data is safe to read.
Sequnlock(JITDescriptor & descriptor)274 static void Sequnlock(JITDescriptor& descriptor) {
275   DCHECK_EQ(descriptor.seqlock_.load(kNonRacingRelaxed) & 1, 1u) << "Already unlocked";
276   // Ensure that any writes within the locked section cannot be reordered after the increment.
277   std::atomic_thread_fence(std::memory_order_release);
278   descriptor.seqlock_.fetch_add(1, std::memory_order_relaxed);
279 }
280 
281 // Insert 'entry' in the linked list before 'next' and mark it as valid (append if 'next' is null).
282 // This method must be called under global lock (g_jit_debug_lock or g_dex_debug_lock).
283 template<class NativeInfo>
InsertNewEntry(const JITCodeEntry * entry,const JITCodeEntry * next)284 static void InsertNewEntry(const JITCodeEntry* entry, const JITCodeEntry* next) {
285   CHECK_EQ(entry->seqlock_.load(kNonRacingRelaxed) & 1, 1u) << "Expected invalid entry";
286   JITDescriptor& descriptor = NativeInfo::Descriptor();
287   const JITCodeEntry* prev = (next != nullptr ? next->prev_ : descriptor.tail_);
288   JITCodeEntry* writable = NativeInfo::Writable(entry);
289   writable->next_ = next;
290   writable->prev_ = prev;
291   writable->seqlock_.fetch_add(1, std::memory_order_release);  // Mark as valid.
292   // Backward pointers should not be used by readers, so they are non-atomic.
293   if (next != nullptr) {
294     NativeInfo::Writable(next)->prev_ = entry;
295   } else {
296     descriptor.tail_ = entry;
297   }
298   // Forward pointers must be atomic and they must point to a valid entry at all times.
299   if (prev != nullptr) {
300     NativeInfo::Writable(prev)->next_.store(entry, std::memory_order_release);
301   } else {
302     descriptor.head_.store(entry, std::memory_order_release);
303   }
304 }
305 
306 // This must be called with the appropriate lock taken (g_{jit,dex}_debug_lock).
307 template<class NativeInfo>
CreateJITCodeEntryInternal(ArrayRef<const uint8_t> symfile=ArrayRef<const uint8_t> (),const void * addr=nullptr,bool allow_packing=false,bool is_compressed=false)308 static const JITCodeEntry* CreateJITCodeEntryInternal(
309     ArrayRef<const uint8_t> symfile = ArrayRef<const uint8_t>(),
310     const void* addr = nullptr,
311     bool allow_packing = false,
312     bool is_compressed = false) {
313   JITDescriptor& descriptor = NativeInfo::Descriptor();
314 
315   // Allocate JITCodeEntry if needed.
316   if (descriptor.free_entries_ == nullptr) {
317     const void* memory = NativeInfo::Alloc(sizeof(JITCodeEntry));
318     if (memory == nullptr) {
319       LOG(ERROR) << "Failed to allocate memory for native debug info";
320       return nullptr;
321     }
322     new (NativeInfo::Writable(memory)) JITCodeEntry();
323     descriptor.free_entries_ = reinterpret_cast<const JITCodeEntry*>(memory);
324   }
325 
326   // Make a copy of the buffer to shrink it and to pass ownership to JITCodeEntry.
327   if (NativeInfo::kCopySymfileData && !symfile.empty()) {
328     const uint8_t* copy = reinterpret_cast<const uint8_t*>(NativeInfo::Alloc(symfile.size()));
329     if (copy == nullptr) {
330       LOG(ERROR) << "Failed to allocate memory for native debug info";
331       return nullptr;
332     }
333     memcpy(NativeInfo::Writable(copy), symfile.data(), symfile.size());
334     symfile = ArrayRef<const uint8_t>(copy, symfile.size());
335   }
336 
337   uint64_t timestamp = GetNextTimestamp(descriptor);
338 
339   // We must insert entries at specific place.  See NativeDebugInfoPreFork().
340   const JITCodeEntry* next = descriptor.head_.load(kNonRacingRelaxed);  // Insert at the head.
341   if (descriptor.zygote_head_entry_ != nullptr && Runtime::Current()->IsZygote()) {
342     next = nullptr;  // Insert zygote entries at the tail.
343   }
344 
345   // Pop entry from the free list.
346   const JITCodeEntry* entry = descriptor.free_entries_;
347   descriptor.free_entries_ = descriptor.free_entries_->next_.load(kNonRacingRelaxed);
348 
349   // Create the entry and set all its fields.
350   JITCodeEntry* writable_entry = NativeInfo::Writable(entry);
351   writable_entry->symfile_addr_ = symfile.data();
352   writable_entry->symfile_size_ = symfile.size();
353   writable_entry->addr_ = addr;
354   writable_entry->allow_packing_ = allow_packing;
355   writable_entry->is_compressed_ = is_compressed;
356   writable_entry->timestamp_ = timestamp;
357 
358   // Add the entry to the main linked list.
359   Seqlock(descriptor);
360   InsertNewEntry<NativeInfo>(entry, next);
361   descriptor.relevant_entry_ = entry;
362   descriptor.action_flag_ = JIT_REGISTER_FN;
363   descriptor.timestamp_ = timestamp;
364   Sequnlock(descriptor);
365 
366   NativeInfo::NotifyNativeDebugger();
367 
368   return entry;
369 }
370 
371 template<class NativeInfo>
DeleteJITCodeEntryInternal(const JITCodeEntry * entry)372 static void DeleteJITCodeEntryInternal(const JITCodeEntry* entry) {
373   CHECK(entry != nullptr);
374   JITDescriptor& descriptor = NativeInfo::Descriptor();
375 
376   // Remove the entry from the main linked-list.
377   Seqlock(descriptor);
378   const JITCodeEntry* next = entry->next_.load(kNonRacingRelaxed);
379   const JITCodeEntry* prev = entry->prev_;
380   if (next != nullptr) {
381     NativeInfo::Writable(next)->prev_ = prev;
382   } else {
383     descriptor.tail_ = prev;
384   }
385   if (prev != nullptr) {
386     NativeInfo::Writable(prev)->next_.store(next, std::memory_order_relaxed);
387   } else {
388     descriptor.head_.store(next, std::memory_order_relaxed);
389   }
390   descriptor.relevant_entry_ = entry;
391   descriptor.action_flag_ = JIT_UNREGISTER_FN;
392   descriptor.timestamp_ = GetNextTimestamp(descriptor);
393   Sequnlock(descriptor);
394 
395   NativeInfo::NotifyNativeDebugger();
396 
397   // Delete the entry.
398   JITCodeEntry* writable_entry = NativeInfo::Writable(entry);
399   CHECK_EQ(writable_entry->seqlock_.load(kNonRacingRelaxed) & 1, 0u) << "Expected valid entry";
400   // Release: Ensures that "next_" points to valid entry at any time in reader.
401   writable_entry->seqlock_.fetch_add(1, std::memory_order_release);  // Mark as invalid.
402   // Release: Ensures that the entry is seen as invalid before it's data is freed.
403   std::atomic_thread_fence(std::memory_order_release);
404   const uint8_t* symfile = entry->symfile_addr_;
405   writable_entry->symfile_addr_ = nullptr;
406   if (NativeInfo::kCopySymfileData && symfile != nullptr) {
407     NativeInfo::Free(symfile);
408   }
409 
410   // Push the entry to the free list.
411   writable_entry->next_.store(descriptor.free_entries_, kNonRacingRelaxed);
412   writable_entry->prev_ = nullptr;
413   descriptor.free_entries_ = entry;
414 }
415 
AddNativeDebugInfoForDex(Thread * self,const DexFile * dexfile)416 void AddNativeDebugInfoForDex(Thread* self, const DexFile* dexfile) {
417   MutexLock mu(self, g_dex_debug_lock);
418   DCHECK(dexfile != nullptr);
419   // Container dex files (v41) may store data past the size defined in the header.
420   uint32_t size = dexfile->SizeIncludingSharedData();
421   if (dexfile->IsCompactDexFile()) {
422     // Compact dex files may store data past the size defined in the header.
423     const DexFile::Header& header = dexfile->GetHeader();
424     size = std::max(size, header.data_off_ + header.data_size_);
425   }
426   const ArrayRef<const uint8_t> symfile(dexfile->Begin(), size);
427   CreateJITCodeEntryInternal<DexNativeInfo>(symfile);
428 }
429 
RemoveNativeDebugInfoForDex(Thread * self,const DexFile * dexfile)430 void RemoveNativeDebugInfoForDex(Thread* self, const DexFile* dexfile) {
431   MutexLock mu(self, g_dex_debug_lock);
432   DCHECK(dexfile != nullptr);
433   // We register dex files in the class linker and free them in DexFile_closeDexFile, but
434   // there might be cases where we load the dex file without using it in the class linker.
435   // On the other hand, single dex file might also be used with different class-loaders.
436   for (const JITCodeEntry* entry = __dex_debug_descriptor.head_; entry != nullptr; ) {
437     const JITCodeEntry* next = entry->next_;  // Save next pointer before we free the memory.
438     if (entry->symfile_addr_ == dexfile->Begin()) {
439       DeleteJITCodeEntryInternal<DexNativeInfo>(entry);
440     }
441     entry = next;
442   }
443 }
444 
445 // Splits the linked linked in to two parts:
446 // The first part (including the static head pointer) is owned by the application.
447 // The second part is owned by zygote and might be concurrently modified by it.
448 //
449 // We add two empty entries at the boundary which are never removed (app_tail, zygote_head).
450 // These entries are needed to preserve the next/prev pointers in the linked list,
451 // since zygote can not modify the application's data and vice versa.
452 //
453 // <------- owned by the application memory --------> <--- owned by zygote memory --->
454 //         |----------------------|------------------|-------------|-----------------|
455 // head -> | application_entries* | application_tail | zygote_head | zygote_entries* |
456 //         |+---------------------|------------------|-------------|----------------+|
457 //          |                                                                       |
458 //          \-(new application entries)                        (new zygote entries)-/
459 //
460 // Zygote entries are inserted at the end, which means that repacked zygote entries
461 // will still be seen by single forward iteration of the linked list (avoiding race).
462 //
463 // Application entries are inserted at the start which introduces repacking race,
464 // but that is ok, since it is easy to read new entries from head in further pass.
465 // The benefit is that this makes it fast to read only the new entries.
466 //
NativeDebugInfoPreFork()467 void NativeDebugInfoPreFork() {
468   CHECK(Runtime::Current()->IsZygote());
469   JITDescriptor& descriptor = JitNativeInfo::Descriptor();
470   if (descriptor.zygote_head_entry_ != nullptr) {
471     return;  // Already done - we need to do this only on the first fork.
472   }
473 
474   // Create the zygote-owned head entry (with no ELF file).
475   // The data will be allocated from the current JIT memory (owned by zygote).
476   MutexLock mu(Thread::Current(), *Locks::jit_lock_);  // Needed to alloc entry.
477   const JITCodeEntry* zygote_head =
478     reinterpret_cast<const JITCodeEntry*>(JitNativeInfo::Alloc(sizeof(JITCodeEntry)));
479   CHECK(zygote_head != nullptr);
480   new (JitNativeInfo::Writable(zygote_head)) JITCodeEntry();  // Initialize.
481   InsertNewEntry<JitNativeInfo>(zygote_head, descriptor.head_);
482   descriptor.zygote_head_entry_ = zygote_head;
483 
484   // Create the child-owned tail entry (with no ELF file).
485   // The data is statically allocated since it must be owned by the forked process.
486   InsertNewEntry<JitNativeInfo>(&descriptor.application_tail_entry_, descriptor.head_);
487 }
488 
NativeDebugInfoPostFork()489 void NativeDebugInfoPostFork() {
490   CHECK(!Runtime::Current()->IsZygote());
491   JITDescriptor& descriptor = JitNativeInfo::Descriptor();
492   descriptor.free_entries_ = nullptr;  // Don't reuse zygote's entries.
493 }
494 
495 // Split the JIT code cache into groups of fixed size and create single JITCodeEntry for each group.
496 // The start address of method's code determines which group it belongs to.  The end is irrelevant.
497 // New mini debug infos will be merged if possible, and entries for GCed functions will be removed.
RepackEntries(bool compress_entries,ArrayRef<const void * > removed)498 static void RepackEntries(bool compress_entries, ArrayRef<const void*> removed)
499     REQUIRES(g_jit_debug_lock) {
500   DCHECK(std::is_sorted(removed.begin(), removed.end()));
501   jit::Jit* jit = Runtime::Current()->GetJit();
502   if (jit == nullptr) {
503     return;
504   }
505   JITDescriptor& descriptor = __jit_debug_descriptor;
506   bool is_zygote = Runtime::Current()->IsZygote();
507 
508   // Collect entries that we want to pack.
509   std::vector<const JITCodeEntry*> entries;
510   entries.reserve(2 * kJitRepackFrequency);
511   for (const JITCodeEntry* it = descriptor.head_; it != nullptr; it = it->next_) {
512     if (it == descriptor.zygote_head_entry_ && !is_zygote) {
513       break;  // Memory owned by the zygote process (read-only for an app).
514     }
515     if (it->allow_packing_) {
516       if (!compress_entries && it->is_compressed_ && removed.empty()) {
517         continue;  // If we are not compressing, also avoid decompressing.
518       }
519       entries.push_back(it);
520     }
521   }
522   auto cmp = [](const JITCodeEntry* l, const JITCodeEntry* r) { return l->addr_ < r->addr_; };
523   std::sort(entries.begin(), entries.end(), cmp);  // Sort by address.
524 
525   // Process the entries in groups (each spanning memory range of size kJitRepackGroupSize).
526   for (auto group_it = entries.begin(); group_it != entries.end();) {
527     const void* group_ptr = AlignDown((*group_it)->addr_, kJitRepackGroupSize);
528     const void* group_end = reinterpret_cast<const uint8_t*>(group_ptr) + kJitRepackGroupSize;
529 
530     // Find all entries in this group (each entry is an in-memory ELF file).
531     auto begin = group_it;
532     auto end = std::find_if(begin, entries.end(), [=](auto* e) { return e->addr_ >= group_end; });
533     CHECK(end > begin);
534     ArrayRef<const JITCodeEntry*> elfs(&*begin, end - begin);
535 
536     // Find all symbols that have been removed in this memory range.
537     auto removed_begin = std::lower_bound(removed.begin(), removed.end(), group_ptr);
538     auto removed_end = std::lower_bound(removed.begin(), removed.end(), group_end);
539     CHECK(removed_end >= removed_begin);
540     ArrayRef<const void*> removed_subset(&*removed_begin, removed_end - removed_begin);
541 
542     // Optimization: Don't compress the last group since it will likely change again soon.
543     bool compress = compress_entries && end != entries.end();
544 
545     // Bail out early if there is nothing to do for this group.
546     if (elfs.size() == 1 && removed_subset.empty() && (*begin)->is_compressed_ == compress) {
547       group_it = end;  // Go to next group.
548       continue;
549     }
550 
551     // Create new single JITCodeEntry that covers this memory range.
552     uint64_t start_time = MicroTime();
553     size_t live_symbols;
554     std::vector<uint8_t> packed = jit->GetJitCompiler()->PackElfFileForJIT(
555         elfs, removed_subset, compress, &live_symbols);
556     VLOG(jit)
557         << "JIT mini-debug-info repacked"
558         << " for " << group_ptr
559         << " in " << MicroTime() - start_time << "us"
560         << " elfs=" << elfs.size()
561         << " dead=" << removed_subset.size()
562         << " live=" << live_symbols
563         << " size=" << packed.size() << (compress ? "(lzma)" : "");
564 
565     // Replace the old entries with the new one (with their lifetime temporally overlapping).
566     CreateJITCodeEntryInternal<JitNativeInfo>(ArrayRef<const uint8_t>(packed),
567                                               /*addr_=*/ group_ptr,
568                                               /*allow_packing_=*/ true,
569                                               /*is_compressed_=*/ compress);
570     for (auto it : elfs) {
571       DeleteJITCodeEntryInternal<JitNativeInfo>(/*entry=*/ it);
572     }
573     group_it = end;  // Go to next group.
574   }
575   g_jit_num_unpacked_entries = 0;
576 }
577 
578 void RepackNativeDebugInfoForJitLocked() REQUIRES(g_jit_debug_lock);
579 
AddNativeDebugInfoForJit(const void * code_ptr,const std::vector<uint8_t> & symfile,bool allow_packing)580 void AddNativeDebugInfoForJit(const void* code_ptr,
581                               const std::vector<uint8_t>& symfile,
582                               bool allow_packing) {
583   MutexLock mu(Thread::Current(), g_jit_debug_lock);
584   DCHECK_NE(symfile.size(), 0u);
585   if (kIsDebugBuild && code_ptr != nullptr) {
586     DCHECK(g_dcheck_all_jit_functions.insert(code_ptr).second) << code_ptr << " already added";
587   }
588 
589   // Remove all methods which have been marked for removal.  The JIT GC should
590   // force repack, so this should happen only rarely for various corner cases.
591   // Must be done before addition in case the added code_ptr is in the removed set.
592   if (!g_removed_jit_functions.empty()) {
593     RepackNativeDebugInfoForJitLocked();
594   }
595 
596   CreateJITCodeEntryInternal<JitNativeInfo>(ArrayRef<const uint8_t>(symfile),
597                                             /*addr=*/ code_ptr,
598                                             /*allow_packing=*/ allow_packing,
599                                             /*is_compressed=*/ false);
600 
601   if (code_ptr == nullptr) {
602     VLOG(jit) << "JIT mini-debug-info added for new type, size=" << PrettySize(symfile.size());
603   } else {
604     VLOG(jit)
605         << "JIT mini-debug-info added for native code at " << code_ptr
606         << ", size=" << PrettySize(symfile.size());
607   }
608 
609   // Automatically repack entries on regular basis to save space.
610   // Pack (but don't compress) recent entries - this is cheap and reduces memory use by ~4x.
611   // We delay compression until after GC since it is more expensive (and saves further ~4x).
612   // Always compress zygote, since it does not GC and we want to keep the high-water mark low.
613   if (++g_jit_num_unpacked_entries >= kJitRepackFrequency) {
614     bool is_zygote = Runtime::Current()->IsZygote();
615     RepackEntries(/*compress_entries=*/ is_zygote, /*removed=*/ ArrayRef<const void*>());
616   }
617 }
618 
RemoveNativeDebugInfoForJit(const void * code_ptr)619 void RemoveNativeDebugInfoForJit(const void* code_ptr) {
620   MutexLock mu(Thread::Current(), g_jit_debug_lock);
621   g_dcheck_all_jit_functions.erase(code_ptr);
622 
623   // Method removal is very expensive since we need to decompress and read ELF files.
624   // Collet methods to be removed and do the removal in bulk later.
625   g_removed_jit_functions.push_back(code_ptr);
626 
627   VLOG(jit) << "JIT mini-debug-info removed for " << code_ptr;
628 }
629 
RepackNativeDebugInfoForJitLocked()630 void RepackNativeDebugInfoForJitLocked() {
631   // Remove entries which are inside packed and compressed ELF files.
632   std::vector<const void*>& removed = g_removed_jit_functions;
633   std::sort(removed.begin(), removed.end());
634   RepackEntries(/*compress_entries=*/ true, ArrayRef<const void*>(removed));
635 
636   // Remove entries which are not allowed to be packed (containing single method each).
637   for (const JITCodeEntry* it = __jit_debug_descriptor.head_; it != nullptr;) {
638     const JITCodeEntry* next = it->next_;
639     if (!it->allow_packing_ && std::binary_search(removed.begin(), removed.end(), it->addr_)) {
640       DeleteJITCodeEntryInternal<JitNativeInfo>(/*entry=*/ it);
641     }
642     it = next;
643   }
644 
645   removed.clear();
646   removed.shrink_to_fit();
647 }
648 
RepackNativeDebugInfoForJit()649 void RepackNativeDebugInfoForJit() {
650   MutexLock mu(Thread::Current(), g_jit_debug_lock);
651   RepackNativeDebugInfoForJitLocked();
652 }
653 
GetJitMiniDebugInfoMemUsage()654 size_t GetJitMiniDebugInfoMemUsage() {
655   MutexLock mu(Thread::Current(), g_jit_debug_lock);
656   size_t size = 0;
657   for (const JITCodeEntry* it = __jit_debug_descriptor.head_; it != nullptr; it = it->next_) {
658     size += sizeof(JITCodeEntry) + it->symfile_size_;
659   }
660   return size;
661 }
662 
GetNativeDebugInfoLock()663 Mutex* GetNativeDebugInfoLock() {
664   return &g_jit_debug_lock;
665 }
666 
ForEachNativeDebugSymbol(std::function<void (const void *,size_t,const char *)> cb)667 void ForEachNativeDebugSymbol(std::function<void(const void*, size_t, const char*)> cb) {
668   MutexLock mu(Thread::Current(), g_jit_debug_lock);
669   using ElfRuntimeTypes = std::conditional<sizeof(void*) == 4, ElfTypes32, ElfTypes64>::type;
670   const JITCodeEntry* end = __jit_debug_descriptor.zygote_head_entry_;
671   for (const JITCodeEntry* it = __jit_debug_descriptor.head_; it != end; it = it->next_) {
672     ArrayRef<const uint8_t> buffer(it->symfile_addr_, it->symfile_size_);
673     if (!buffer.empty()) {
674       ElfDebugReader<ElfRuntimeTypes> reader(buffer);
675       reader.VisitFunctionSymbols([&](ElfRuntimeTypes::Sym sym, const char* name) {
676         cb(reinterpret_cast<const void*>(sym.st_value), sym.st_size, name);
677       });
678     }
679   }
680 }
681 
682 }  // namespace art
683