runtime.cc revision da44d773dedf8aae6153e3423012f236cba3bfcd
1/*
2 * Copyright (C) 2011 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 "runtime.h"
18
19// sys/mount.h has to come before linux/fs.h due to redefinition of MS_RDONLY, MS_BIND, etc
20#include <sys/mount.h>
21#include <linux/fs.h>
22
23#include <signal.h>
24#include <sys/syscall.h>
25#include <valgrind.h>
26
27#include <cstdio>
28#include <cstdlib>
29#include <limits>
30#include <vector>
31#include <fcntl.h>
32
33#include "arch/arm/registers_arm.h"
34#include "arch/arm64/registers_arm64.h"
35#include "arch/mips/registers_mips.h"
36#include "arch/x86/registers_x86.h"
37#include "arch/x86_64/registers_x86_64.h"
38#include "atomic.h"
39#include "class_linker.h"
40#include "debugger.h"
41#include "gc/accounting/card_table-inl.h"
42#include "gc/heap.h"
43#include "gc/space/space.h"
44#include "image.h"
45#include "instrumentation.h"
46#include "intern_table.h"
47#include "jni_internal.h"
48#include "mirror/art_field-inl.h"
49#include "mirror/art_method-inl.h"
50#include "mirror/array.h"
51#include "mirror/class-inl.h"
52#include "mirror/class_loader.h"
53#include "mirror/stack_trace_element.h"
54#include "mirror/throwable.h"
55#include "monitor.h"
56#include "parsed_options.h"
57#include "oat_file.h"
58#include "reflection.h"
59#include "ScopedLocalRef.h"
60#include "scoped_thread_state_change.h"
61#include "signal_catcher.h"
62#include "signal_set.h"
63#include "sirt_ref.h"
64#include "thread.h"
65#include "thread_list.h"
66#include "trace.h"
67#include "transaction.h"
68#include "profiler.h"
69#include "UniquePtr.h"
70#include "verifier/method_verifier.h"
71#include "well_known_classes.h"
72
73#include "JniConstants.h"  // Last to avoid LOG redefinition in ics-mr1-plus-art.
74
75#ifdef HAVE_ANDROID_OS
76#include "cutils/properties.h"
77#endif
78
79namespace art {
80
81Runtime* Runtime::instance_ = NULL;
82
83Runtime::Runtime()
84    : pre_allocated_OutOfMemoryError_(nullptr),
85      resolution_method_(nullptr),
86      imt_conflict_method_(nullptr),
87      default_imt_(nullptr),
88      compiler_callbacks_(nullptr),
89      is_zygote_(false),
90      is_concurrent_gc_enabled_(true),
91      is_explicit_gc_disabled_(false),
92      default_stack_size_(0),
93      heap_(nullptr),
94      max_spins_before_thin_lock_inflation_(Monitor::kDefaultMaxSpinsBeforeThinLockInflation),
95      monitor_list_(nullptr),
96      monitor_pool_(nullptr),
97      thread_list_(nullptr),
98      intern_table_(nullptr),
99      class_linker_(nullptr),
100      signal_catcher_(nullptr),
101      java_vm_(nullptr),
102      fault_message_lock_("Fault message lock"),
103      fault_message_(""),
104      method_verifier_lock_("Method verifiers lock"),
105      threads_being_born_(0),
106      shutdown_cond_(new ConditionVariable("Runtime shutdown", *Locks::runtime_shutdown_lock_)),
107      shutting_down_(false),
108      shutting_down_started_(false),
109      started_(false),
110      finished_starting_(false),
111      vfprintf_(nullptr),
112      exit_(nullptr),
113      abort_(nullptr),
114      stats_enabled_(false),
115      running_on_valgrind_(RUNNING_ON_VALGRIND > 0),
116      profile_(false),
117      profile_period_s_(0),
118      profile_duration_s_(0),
119      profile_interval_us_(0),
120      profile_backoff_coefficient_(0),
121      method_trace_(false),
122      method_trace_file_size_(0),
123      instrumentation_(),
124      use_compile_time_class_path_(false),
125      main_thread_group_(nullptr),
126      system_thread_group_(nullptr),
127      system_class_loader_(nullptr),
128      dump_gc_performance_on_shutdown_(false),
129      preinitialization_transaction(nullptr),
130      null_pointer_handler_(nullptr),
131      suspend_handler_(nullptr),
132      stack_overflow_handler_(nullptr) {
133  for (int i = 0; i < Runtime::kLastCalleeSaveType; i++) {
134    callee_save_methods_[i] = nullptr;
135  }
136}
137
138Runtime::~Runtime() {
139  if (dump_gc_performance_on_shutdown_) {
140    // This can't be called from the Heap destructor below because it
141    // could call RosAlloc::InspectAll() which needs the thread_list
142    // to be still alive.
143    heap_->DumpGcPerformanceInfo(LOG(INFO));
144  }
145
146  Thread* self = Thread::Current();
147  {
148    MutexLock mu(self, *Locks::runtime_shutdown_lock_);
149    shutting_down_started_ = true;
150    while (threads_being_born_ > 0) {
151      shutdown_cond_->Wait(self);
152    }
153    shutting_down_ = true;
154  }
155  Trace::Shutdown();
156
157  // Make sure to let the GC complete if it is running.
158  heap_->WaitForGcToComplete(self);
159  heap_->DeleteThreadPool();
160
161  // Make sure our internal threads are dead before we start tearing down things they're using.
162  Dbg::StopJdwp();
163  delete signal_catcher_;
164
165  // Make sure all other non-daemon threads have terminated, and all daemon threads are suspended.
166  delete thread_list_;
167  delete monitor_list_;
168  delete monitor_pool_;
169  delete class_linker_;
170  delete heap_;
171  delete intern_table_;
172  delete java_vm_;
173  Thread::Shutdown();
174  QuasiAtomic::Shutdown();
175  verifier::MethodVerifier::Shutdown();
176  // TODO: acquire a static mutex on Runtime to avoid racing.
177  CHECK(instance_ == nullptr || instance_ == this);
178  instance_ = nullptr;
179
180  delete null_pointer_handler_;
181  delete suspend_handler_;
182  delete stack_overflow_handler_;
183}
184
185struct AbortState {
186  void Dump(std::ostream& os) {
187    if (gAborting > 1) {
188      os << "Runtime aborting --- recursively, so no thread-specific detail!\n";
189      return;
190    }
191    gAborting++;
192    os << "Runtime aborting...\n";
193    if (Runtime::Current() == NULL) {
194      os << "(Runtime does not yet exist!)\n";
195      return;
196    }
197    Thread* self = Thread::Current();
198    if (self == NULL) {
199      os << "(Aborting thread was not attached to runtime!)\n";
200    } else {
201      // TODO: we're aborting and the ScopedObjectAccess may attempt to acquire the mutator_lock_
202      //       which may block indefinitely if there's a misbehaving thread holding it exclusively.
203      //       The code below should be made robust to this.
204      ScopedObjectAccess soa(self);
205      os << "Aborting thread:\n";
206      self->Dump(os);
207      if (self->IsExceptionPending()) {
208        ThrowLocation throw_location;
209        mirror::Throwable* exception = self->GetException(&throw_location);
210        os << "Pending exception " << PrettyTypeOf(exception)
211            << " thrown by '" << throw_location.Dump() << "'\n"
212            << exception->Dump();
213      }
214    }
215    DumpAllThreads(os, self);
216  }
217
218  void DumpAllThreads(std::ostream& os, Thread* self) NO_THREAD_SAFETY_ANALYSIS {
219    bool tll_already_held = Locks::thread_list_lock_->IsExclusiveHeld(self);
220    bool ml_already_held = Locks::mutator_lock_->IsSharedHeld(self);
221    if (!tll_already_held || !ml_already_held) {
222      os << "Dumping all threads without appropriate locks held:"
223          << (!tll_already_held ? " thread list lock" : "")
224          << (!ml_already_held ? " mutator lock" : "")
225          << "\n";
226    }
227    os << "All threads:\n";
228    Runtime::Current()->GetThreadList()->DumpLocked(os);
229  }
230};
231
232void Runtime::Abort() {
233  gAborting++;  // set before taking any locks
234
235  // Ensure that we don't have multiple threads trying to abort at once,
236  // which would result in significantly worse diagnostics.
237  MutexLock mu(Thread::Current(), *Locks::abort_lock_);
238
239  // Get any pending output out of the way.
240  fflush(NULL);
241
242  // Many people have difficulty distinguish aborts from crashes,
243  // so be explicit.
244  AbortState state;
245  LOG(INTERNAL_FATAL) << Dumpable<AbortState>(state);
246
247  // Call the abort hook if we have one.
248  if (Runtime::Current() != NULL && Runtime::Current()->abort_ != NULL) {
249    LOG(INTERNAL_FATAL) << "Calling abort hook...";
250    Runtime::Current()->abort_();
251    // notreached
252    LOG(INTERNAL_FATAL) << "Unexpectedly returned from abort hook!";
253  }
254
255#if defined(__GLIBC__)
256  // TODO: we ought to be able to use pthread_kill(3) here (or abort(3),
257  // which POSIX defines in terms of raise(3), which POSIX defines in terms
258  // of pthread_kill(3)). On Linux, though, libcorkscrew can't unwind through
259  // libpthread, which means the stacks we dump would be useless. Calling
260  // tgkill(2) directly avoids that.
261  syscall(__NR_tgkill, getpid(), GetTid(), SIGABRT);
262  // TODO: LLVM installs it's own SIGABRT handler so exit to be safe... Can we disable that in LLVM?
263  // If not, we could use sigaction(3) before calling tgkill(2) and lose this call to exit(3).
264  exit(1);
265#else
266  abort();
267#endif
268  // notreached
269}
270
271bool Runtime::PreZygoteFork() {
272  heap_->PreZygoteFork();
273  return true;
274}
275
276void Runtime::CallExitHook(jint status) {
277  if (exit_ != NULL) {
278    ScopedThreadStateChange tsc(Thread::Current(), kNative);
279    exit_(status);
280    LOG(WARNING) << "Exit hook returned instead of exiting!";
281  }
282}
283
284void Runtime::SweepSystemWeaks(IsMarkedCallback* visitor, void* arg) {
285  GetInternTable()->SweepInternTableWeaks(visitor, arg);
286  GetMonitorList()->SweepMonitorList(visitor, arg);
287  GetJavaVM()->SweepJniWeakGlobals(visitor, arg);
288  Dbg::UpdateObjectPointers(visitor, arg);
289}
290
291bool Runtime::Create(const Options& options, bool ignore_unrecognized) {
292  // TODO: acquire a static mutex on Runtime to avoid racing.
293  if (Runtime::instance_ != NULL) {
294    return false;
295  }
296  InitLogging(NULL);  // Calls Locks::Init() as a side effect.
297  instance_ = new Runtime;
298  if (!instance_->Init(options, ignore_unrecognized)) {
299    delete instance_;
300    instance_ = NULL;
301    return false;
302  }
303  return true;
304}
305
306jobject CreateSystemClassLoader() {
307  if (Runtime::Current()->UseCompileTimeClassPath()) {
308    return NULL;
309  }
310
311  ScopedObjectAccess soa(Thread::Current());
312  ClassLinker* cl = Runtime::Current()->GetClassLinker();
313
314  SirtRef<mirror::Class> class_loader_class(
315      soa.Self(), soa.Decode<mirror::Class*>(WellKnownClasses::java_lang_ClassLoader));
316  CHECK(cl->EnsureInitialized(class_loader_class, true, true));
317
318  mirror::ArtMethod* getSystemClassLoader =
319      class_loader_class->FindDirectMethod("getSystemClassLoader", "()Ljava/lang/ClassLoader;");
320  CHECK(getSystemClassLoader != NULL);
321
322  JValue result = InvokeWithJValues(soa, nullptr, soa.EncodeMethod(getSystemClassLoader), nullptr);
323  SirtRef<mirror::ClassLoader> class_loader(soa.Self(),
324                                            down_cast<mirror::ClassLoader*>(result.GetL()));
325  CHECK(class_loader.get() != nullptr);
326  JNIEnv* env = soa.Self()->GetJniEnv();
327  ScopedLocalRef<jobject> system_class_loader(env,
328                                              soa.AddLocalReference<jobject>(class_loader.get()));
329  CHECK(system_class_loader.get() != nullptr);
330
331  soa.Self()->SetClassLoaderOverride(class_loader.get());
332
333  SirtRef<mirror::Class> thread_class(
334      soa.Self(),
335      soa.Decode<mirror::Class*>(WellKnownClasses::java_lang_Thread));
336  CHECK(cl->EnsureInitialized(thread_class, true, true));
337
338  mirror::ArtField* contextClassLoader =
339      thread_class->FindDeclaredInstanceField("contextClassLoader", "Ljava/lang/ClassLoader;");
340  CHECK(contextClassLoader != NULL);
341
342  // We can't run in a transaction yet.
343  contextClassLoader->SetObject<false>(soa.Self()->GetPeer(), class_loader.get());
344
345  return env->NewGlobalRef(system_class_loader.get());
346}
347
348bool Runtime::Start() {
349  VLOG(startup) << "Runtime::Start entering";
350
351  // Restore main thread state to kNative as expected by native code.
352  Thread* self = Thread::Current();
353  self->TransitionFromRunnableToSuspended(kNative);
354
355  started_ = true;
356
357  // InitNativeMethods needs to be after started_ so that the classes
358  // it touches will have methods linked to the oat file if necessary.
359  InitNativeMethods();
360
361  // Initialize well known thread group values that may be accessed threads while attaching.
362  InitThreadGroups(self);
363
364  Thread::FinishStartup();
365
366  if (is_zygote_) {
367    if (!InitZygote()) {
368      return false;
369    }
370  } else {
371    DidForkFromZygote();
372  }
373
374  StartDaemonThreads();
375
376  system_class_loader_ = CreateSystemClassLoader();
377
378  self->GetJniEnv()->locals.AssertEmpty();
379
380  VLOG(startup) << "Runtime::Start exiting";
381
382  finished_starting_ = true;
383
384  if (profile_) {
385    // User has asked for a profile using -Xprofile
386    // Create the profile file if it doesn't exist.
387    int fd = open(profile_output_filename_.c_str(), O_RDWR|O_CREAT|O_EXCL, 0660);
388    if (fd >= 0) {
389      close(fd);
390    }
391    StartProfiler(profile_output_filename_.c_str(), "", true);
392  }
393
394  return true;
395}
396
397void Runtime::EndThreadBirth() EXCLUSIVE_LOCKS_REQUIRED(Locks::runtime_shutdown_lock_) {
398  DCHECK_GT(threads_being_born_, 0U);
399  threads_being_born_--;
400  if (shutting_down_started_ && threads_being_born_ == 0) {
401    shutdown_cond_->Broadcast(Thread::Current());
402  }
403}
404
405// Do zygote-mode-only initialization.
406bool Runtime::InitZygote() {
407  // zygote goes into its own process group
408  setpgid(0, 0);
409
410  // See storage config details at http://source.android.com/tech/storage/
411  // Create private mount namespace shared by all children
412  if (unshare(CLONE_NEWNS) == -1) {
413    PLOG(WARNING) << "Failed to unshare()";
414    return false;
415  }
416
417  // Mark rootfs as being a slave so that changes from default
418  // namespace only flow into our children.
419  if (mount("rootfs", "/", NULL, (MS_SLAVE | MS_REC), NULL) == -1) {
420    PLOG(WARNING) << "Failed to mount() rootfs as MS_SLAVE";
421    return false;
422  }
423
424  // Create a staging tmpfs that is shared by our children; they will
425  // bind mount storage into their respective private namespaces, which
426  // are isolated from each other.
427  const char* target_base = getenv("EMULATED_STORAGE_TARGET");
428  if (target_base != NULL) {
429    if (mount("tmpfs", target_base, "tmpfs", MS_NOSUID | MS_NODEV,
430              "uid=0,gid=1028,mode=0751") == -1) {
431      LOG(WARNING) << "Failed to mount tmpfs to " << target_base;
432      return false;
433    }
434  }
435
436  return true;
437}
438
439void Runtime::DidForkFromZygote() {
440  is_zygote_ = false;
441
442  // Create the thread pool.
443  heap_->CreateThreadPool();
444
445  StartSignalCatcher();
446
447  // Start the JDWP thread. If the command-line debugger flags specified "suspend=y",
448  // this will pause the runtime, so we probably want this to come last.
449  Dbg::StartJdwp();
450}
451
452void Runtime::StartSignalCatcher() {
453  if (!is_zygote_) {
454    signal_catcher_ = new SignalCatcher(stack_trace_file_);
455  }
456}
457
458bool Runtime::IsShuttingDown(Thread* self) {
459  MutexLock mu(self, *Locks::runtime_shutdown_lock_);
460  return IsShuttingDownLocked();
461}
462
463void Runtime::StartDaemonThreads() {
464  VLOG(startup) << "Runtime::StartDaemonThreads entering";
465
466  Thread* self = Thread::Current();
467
468  // Must be in the kNative state for calling native methods.
469  CHECK_EQ(self->GetState(), kNative);
470
471  JNIEnv* env = self->GetJniEnv();
472  env->CallStaticVoidMethod(WellKnownClasses::java_lang_Daemons,
473                            WellKnownClasses::java_lang_Daemons_start);
474  if (env->ExceptionCheck()) {
475    env->ExceptionDescribe();
476    LOG(FATAL) << "Error starting java.lang.Daemons";
477  }
478
479  VLOG(startup) << "Runtime::StartDaemonThreads exiting";
480}
481
482bool Runtime::Init(const Options& raw_options, bool ignore_unrecognized) {
483  CHECK_EQ(sysconf(_SC_PAGE_SIZE), kPageSize);
484
485  UniquePtr<ParsedOptions> options(ParsedOptions::Create(raw_options, ignore_unrecognized));
486  if (options.get() == NULL) {
487    LOG(ERROR) << "Failed to parse options";
488    return false;
489  }
490  VLOG(startup) << "Runtime::Init -verbose:startup enabled";
491
492  QuasiAtomic::Startup();
493
494  Monitor::Init(options->lock_profiling_threshold_, options->hook_is_sensitive_thread_);
495
496  boot_class_path_string_ = options->boot_class_path_string_;
497  class_path_string_ = options->class_path_string_;
498  properties_ = options->properties_;
499
500  compiler_callbacks_ = options->compiler_callbacks_;
501  is_zygote_ = options->is_zygote_;
502  is_explicit_gc_disabled_ = options->is_explicit_gc_disabled_;
503
504  vfprintf_ = options->hook_vfprintf_;
505  exit_ = options->hook_exit_;
506  abort_ = options->hook_abort_;
507
508  default_stack_size_ = options->stack_size_;
509  stack_trace_file_ = options->stack_trace_file_;
510
511  compiler_options_ = options->compiler_options_;
512  image_compiler_options_ = options->image_compiler_options_;
513
514  max_spins_before_thin_lock_inflation_ = options->max_spins_before_thin_lock_inflation_;
515
516  monitor_list_ = new MonitorList;
517  monitor_pool_ = MonitorPool::Create();
518  thread_list_ = new ThreadList;
519  intern_table_ = new InternTable;
520
521
522  if (options->interpreter_only_) {
523    GetInstrumentation()->ForceInterpretOnly();
524  }
525
526  if (options->explicit_checks_ != (ParsedOptions::kExplicitSuspendCheck |
527        ParsedOptions::kExplicitNullCheck |
528        ParsedOptions::kExplicitStackOverflowCheck)) {
529    // Initialize the fault manager.
530    fault_manager.Init();
531
532    // These need to be in a specific order.  The null point check must be
533    // the last in the list.
534    if ((options->explicit_checks_ & ParsedOptions::kExplicitSuspendCheck) == 0) {
535      suspend_handler_ = new SuspensionHandler(&fault_manager);
536    }
537
538    if ((options->explicit_checks_ & ParsedOptions::kExplicitStackOverflowCheck) == 0) {
539      stack_overflow_handler_ = new StackOverflowHandler(&fault_manager);
540    }
541
542    if ((options->explicit_checks_ & ParsedOptions::kExplicitNullCheck) == 0) {
543      null_pointer_handler_ = new NullPointerHandler(&fault_manager);
544    }
545  }
546
547  heap_ = new gc::Heap(options->heap_initial_size_,
548                       options->heap_growth_limit_,
549                       options->heap_min_free_,
550                       options->heap_max_free_,
551                       options->heap_target_utilization_,
552                       options->heap_maximum_size_,
553                       options->image_,
554                       options->collector_type_,
555                       options->background_collector_type_,
556                       options->parallel_gc_threads_,
557                       options->conc_gc_threads_,
558                       options->low_memory_mode_,
559                       options->long_pause_log_threshold_,
560                       options->long_gc_log_threshold_,
561                       options->ignore_max_footprint_,
562                       options->use_tlab_,
563                       options->verify_pre_gc_heap_,
564                       options->verify_post_gc_heap_,
565                       options->verify_pre_gc_rosalloc_,
566                       options->verify_post_gc_rosalloc_);
567
568  dump_gc_performance_on_shutdown_ = options->dump_gc_performance_on_shutdown_;
569
570  BlockSignals();
571  InitPlatformSignalHandlers();
572
573  java_vm_ = new JavaVMExt(this, options.get());
574
575  Thread::Startup();
576
577  // ClassLinker needs an attached thread, but we can't fully attach a thread without creating
578  // objects. We can't supply a thread group yet; it will be fixed later. Since we are the main
579  // thread, we do not get a java peer.
580  Thread* self = Thread::Attach("main", false, NULL, false);
581  CHECK_EQ(self->GetThreadId(), ThreadList::kMainThreadId);
582  CHECK(self != NULL);
583
584  // Set us to runnable so tools using a runtime can allocate and GC by default
585  self->TransitionFromSuspendedToRunnable();
586
587  // Now we're attached, we can take the heap locks and validate the heap.
588  GetHeap()->EnableObjectValidation();
589
590  CHECK_GE(GetHeap()->GetContinuousSpaces().size(), 1U);
591  class_linker_ = new ClassLinker(intern_table_);
592  if (GetHeap()->HasImageSpace()) {
593    class_linker_->InitFromImage();
594  } else {
595    CHECK(options->boot_class_path_ != NULL);
596    CHECK_NE(options->boot_class_path_->size(), 0U);
597    class_linker_->InitFromCompiler(*options->boot_class_path_);
598  }
599  CHECK(class_linker_ != NULL);
600  verifier::MethodVerifier::Init();
601
602  method_trace_ = options->method_trace_;
603  method_trace_file_ = options->method_trace_file_;
604  method_trace_file_size_ = options->method_trace_file_size_;
605
606  // Extract the profile options.
607  // TODO: move into a Trace options struct?
608  profile_period_s_ = options->profile_period_s_;
609  profile_duration_s_ = options->profile_duration_s_;
610  profile_interval_us_ = options->profile_interval_us_;
611  profile_backoff_coefficient_ = options->profile_backoff_coefficient_;
612  profile_ = options->profile_;
613  profile_output_filename_ = options->profile_output_filename_;
614  // TODO: move this to just be an Trace::Start argument
615  Trace::SetDefaultClockSource(options->profile_clock_source_);
616
617  if (options->method_trace_) {
618    Trace::Start(options->method_trace_file_.c_str(), -1, options->method_trace_file_size_, 0,
619                 false, false, 0);
620  }
621
622  // Pre-allocate an OutOfMemoryError for the double-OOME case.
623  self->ThrowNewException(ThrowLocation(), "Ljava/lang/OutOfMemoryError;",
624                          "OutOfMemoryError thrown while trying to throw OutOfMemoryError; "
625                          "no stack available");
626  pre_allocated_OutOfMemoryError_ = self->GetException(NULL);
627  self->ClearException();
628
629  VLOG(startup) << "Runtime::Init exiting";
630  return true;
631}
632
633void Runtime::InitNativeMethods() {
634  VLOG(startup) << "Runtime::InitNativeMethods entering";
635  Thread* self = Thread::Current();
636  JNIEnv* env = self->GetJniEnv();
637
638  // Must be in the kNative state for calling native methods (JNI_OnLoad code).
639  CHECK_EQ(self->GetState(), kNative);
640
641  // First set up JniConstants, which is used by both the runtime's built-in native
642  // methods and libcore.
643  JniConstants::init(env);
644  WellKnownClasses::Init(env);
645
646  // Then set up the native methods provided by the runtime itself.
647  RegisterRuntimeNativeMethods(env);
648
649  // Then set up libcore, which is just a regular JNI library with a regular JNI_OnLoad.
650  // Most JNI libraries can just use System.loadLibrary, but libcore can't because it's
651  // the library that implements System.loadLibrary!
652  {
653    std::string mapped_name(StringPrintf(OS_SHARED_LIB_FORMAT_STR, "javacore"));
654    std::string reason;
655    self->TransitionFromSuspendedToRunnable();
656    SirtRef<mirror::ClassLoader> class_loader(self, nullptr);
657    if (!instance_->java_vm_->LoadNativeLibrary(mapped_name, class_loader, &reason)) {
658      LOG(FATAL) << "LoadNativeLibrary failed for \"" << mapped_name << "\": " << reason;
659    }
660    self->TransitionFromRunnableToSuspended(kNative);
661  }
662
663  // Initialize well known classes that may invoke runtime native methods.
664  WellKnownClasses::LateInit(env);
665
666  VLOG(startup) << "Runtime::InitNativeMethods exiting";
667}
668
669void Runtime::InitThreadGroups(Thread* self) {
670  JNIEnvExt* env = self->GetJniEnv();
671  ScopedJniEnvLocalRefState env_state(env);
672  main_thread_group_ =
673      env->NewGlobalRef(env->GetStaticObjectField(
674          WellKnownClasses::java_lang_ThreadGroup,
675          WellKnownClasses::java_lang_ThreadGroup_mainThreadGroup));
676  CHECK(main_thread_group_ != NULL || IsCompiler());
677  system_thread_group_ =
678      env->NewGlobalRef(env->GetStaticObjectField(
679          WellKnownClasses::java_lang_ThreadGroup,
680          WellKnownClasses::java_lang_ThreadGroup_systemThreadGroup));
681  CHECK(system_thread_group_ != NULL || IsCompiler());
682}
683
684jobject Runtime::GetMainThreadGroup() const {
685  CHECK(main_thread_group_ != NULL || IsCompiler());
686  return main_thread_group_;
687}
688
689jobject Runtime::GetSystemThreadGroup() const {
690  CHECK(system_thread_group_ != NULL || IsCompiler());
691  return system_thread_group_;
692}
693
694jobject Runtime::GetSystemClassLoader() const {
695  CHECK(system_class_loader_ != NULL || IsCompiler());
696  return system_class_loader_;
697}
698
699void Runtime::RegisterRuntimeNativeMethods(JNIEnv* env) {
700#define REGISTER(FN) extern void FN(JNIEnv*); FN(env)
701  // Register Throwable first so that registration of other native methods can throw exceptions
702  REGISTER(register_java_lang_Throwable);
703  REGISTER(register_dalvik_system_DexFile);
704  REGISTER(register_dalvik_system_VMDebug);
705  REGISTER(register_dalvik_system_VMRuntime);
706  REGISTER(register_dalvik_system_VMStack);
707  REGISTER(register_dalvik_system_Zygote);
708  REGISTER(register_java_lang_Class);
709  REGISTER(register_java_lang_DexCache);
710  REGISTER(register_java_lang_Object);
711  REGISTER(register_java_lang_Runtime);
712  REGISTER(register_java_lang_String);
713  REGISTER(register_java_lang_System);
714  REGISTER(register_java_lang_Thread);
715  REGISTER(register_java_lang_VMClassLoader);
716  REGISTER(register_java_lang_reflect_Array);
717  REGISTER(register_java_lang_reflect_Constructor);
718  REGISTER(register_java_lang_reflect_Field);
719  REGISTER(register_java_lang_reflect_Method);
720  REGISTER(register_java_lang_reflect_Proxy);
721  REGISTER(register_java_util_concurrent_atomic_AtomicLong);
722  REGISTER(register_org_apache_harmony_dalvik_ddmc_DdmServer);
723  REGISTER(register_org_apache_harmony_dalvik_ddmc_DdmVmInternal);
724  REGISTER(register_sun_misc_Unsafe);
725#undef REGISTER
726}
727
728void Runtime::DumpForSigQuit(std::ostream& os) {
729  GetClassLinker()->DumpForSigQuit(os);
730  GetInternTable()->DumpForSigQuit(os);
731  GetJavaVM()->DumpForSigQuit(os);
732  GetHeap()->DumpForSigQuit(os);
733  os << "\n";
734
735  thread_list_->DumpForSigQuit(os);
736  BaseMutex::DumpAll(os);
737}
738
739void Runtime::DumpLockHolders(std::ostream& os) {
740  uint64_t mutator_lock_owner = Locks::mutator_lock_->GetExclusiveOwnerTid();
741  pid_t thread_list_lock_owner = GetThreadList()->GetLockOwner();
742  pid_t classes_lock_owner = GetClassLinker()->GetClassesLockOwner();
743  pid_t dex_lock_owner = GetClassLinker()->GetDexLockOwner();
744  if ((thread_list_lock_owner | classes_lock_owner | dex_lock_owner) != 0) {
745    os << "Mutator lock exclusive owner tid: " << mutator_lock_owner << "\n"
746       << "ThreadList lock owner tid: " << thread_list_lock_owner << "\n"
747       << "ClassLinker classes lock owner tid: " << classes_lock_owner << "\n"
748       << "ClassLinker dex lock owner tid: " << dex_lock_owner << "\n";
749  }
750}
751
752void Runtime::SetStatsEnabled(bool new_state) {
753  if (new_state == true) {
754    GetStats()->Clear(~0);
755    // TODO: wouldn't it make more sense to clear _all_ threads' stats?
756    Thread::Current()->GetStats()->Clear(~0);
757    GetInstrumentation()->InstrumentQuickAllocEntryPoints();
758  } else {
759    GetInstrumentation()->UninstrumentQuickAllocEntryPoints();
760  }
761  stats_enabled_ = new_state;
762}
763
764void Runtime::ResetStats(int kinds) {
765  GetStats()->Clear(kinds & 0xffff);
766  // TODO: wouldn't it make more sense to clear _all_ threads' stats?
767  Thread::Current()->GetStats()->Clear(kinds >> 16);
768}
769
770int32_t Runtime::GetStat(int kind) {
771  RuntimeStats* stats;
772  if (kind < (1<<16)) {
773    stats = GetStats();
774  } else {
775    stats = Thread::Current()->GetStats();
776    kind >>= 16;
777  }
778  switch (kind) {
779  case KIND_ALLOCATED_OBJECTS:
780    return stats->allocated_objects;
781  case KIND_ALLOCATED_BYTES:
782    return stats->allocated_bytes;
783  case KIND_FREED_OBJECTS:
784    return stats->freed_objects;
785  case KIND_FREED_BYTES:
786    return stats->freed_bytes;
787  case KIND_GC_INVOCATIONS:
788    return stats->gc_for_alloc_count;
789  case KIND_CLASS_INIT_COUNT:
790    return stats->class_init_count;
791  case KIND_CLASS_INIT_TIME:
792    // Convert ns to us, reduce to 32 bits.
793    return static_cast<int>(stats->class_init_time_ns / 1000);
794  case KIND_EXT_ALLOCATED_OBJECTS:
795  case KIND_EXT_ALLOCATED_BYTES:
796  case KIND_EXT_FREED_OBJECTS:
797  case KIND_EXT_FREED_BYTES:
798    return 0;  // backward compatibility
799  default:
800    LOG(FATAL) << "Unknown statistic " << kind;
801    return -1;  // unreachable
802  }
803}
804
805void Runtime::BlockSignals() {
806  SignalSet signals;
807  signals.Add(SIGPIPE);
808  // SIGQUIT is used to dump the runtime's state (including stack traces).
809  signals.Add(SIGQUIT);
810  // SIGUSR1 is used to initiate a GC.
811  signals.Add(SIGUSR1);
812  signals.Block();
813}
814
815bool Runtime::AttachCurrentThread(const char* thread_name, bool as_daemon, jobject thread_group,
816                                  bool create_peer) {
817  bool success = Thread::Attach(thread_name, as_daemon, thread_group, create_peer) != NULL;
818  if (thread_name == NULL) {
819    LOG(WARNING) << *Thread::Current() << " attached without supplying a name";
820  }
821  return success;
822}
823
824void Runtime::DetachCurrentThread() {
825  Thread* self = Thread::Current();
826  if (self == NULL) {
827    LOG(FATAL) << "attempting to detach thread that is not attached";
828  }
829  if (self->HasManagedStack()) {
830    LOG(FATAL) << *Thread::Current() << " attempting to detach while still running code";
831  }
832  thread_list_->Unregister(self);
833}
834
835  mirror::Throwable* Runtime::GetPreAllocatedOutOfMemoryError() const {
836  if (pre_allocated_OutOfMemoryError_ == NULL) {
837    LOG(ERROR) << "Failed to return pre-allocated OOME";
838  }
839  return pre_allocated_OutOfMemoryError_;
840}
841
842void Runtime::VisitConstantRoots(RootCallback* callback, void* arg) {
843  // Visit the classes held as static in mirror classes, these can be visited concurrently and only
844  // need to be visited once per GC since they never change.
845  mirror::ArtField::VisitRoots(callback, arg);
846  mirror::ArtMethod::VisitRoots(callback, arg);
847  mirror::Class::VisitRoots(callback, arg);
848  mirror::StackTraceElement::VisitRoots(callback, arg);
849  mirror::String::VisitRoots(callback, arg);
850  mirror::Throwable::VisitRoots(callback, arg);
851  // Visit all the primitive array types classes.
852  mirror::PrimitiveArray<uint8_t>::VisitRoots(callback, arg);   // BooleanArray
853  mirror::PrimitiveArray<int8_t>::VisitRoots(callback, arg);    // ByteArray
854  mirror::PrimitiveArray<uint16_t>::VisitRoots(callback, arg);  // CharArray
855  mirror::PrimitiveArray<double>::VisitRoots(callback, arg);    // DoubleArray
856  mirror::PrimitiveArray<float>::VisitRoots(callback, arg);     // FloatArray
857  mirror::PrimitiveArray<int32_t>::VisitRoots(callback, arg);   // IntArray
858  mirror::PrimitiveArray<int64_t>::VisitRoots(callback, arg);   // LongArray
859  mirror::PrimitiveArray<int16_t>::VisitRoots(callback, arg);   // ShortArray
860}
861
862void Runtime::VisitConcurrentRoots(RootCallback* callback, void* arg, VisitRootFlags flags) {
863  intern_table_->VisitRoots(callback, arg, flags);
864  class_linker_->VisitRoots(callback, arg, flags);
865  Dbg::VisitRoots(callback, arg);
866  if ((flags & kVisitRootFlagNewRoots) == 0) {
867    // Guaranteed to have no new roots in the constant roots.
868    VisitConstantRoots(callback, arg);
869  }
870}
871
872void Runtime::VisitNonThreadRoots(RootCallback* callback, void* arg) {
873  java_vm_->VisitRoots(callback, arg);
874  if (pre_allocated_OutOfMemoryError_ != nullptr) {
875    callback(reinterpret_cast<mirror::Object**>(&pre_allocated_OutOfMemoryError_), arg, 0,
876             kRootVMInternal);
877    DCHECK(pre_allocated_OutOfMemoryError_ != nullptr);
878  }
879  callback(reinterpret_cast<mirror::Object**>(&resolution_method_), arg, 0, kRootVMInternal);
880  DCHECK(resolution_method_ != nullptr);
881  if (HasImtConflictMethod()) {
882    callback(reinterpret_cast<mirror::Object**>(&imt_conflict_method_), arg, 0, kRootVMInternal);
883  }
884  if (HasDefaultImt()) {
885    callback(reinterpret_cast<mirror::Object**>(&default_imt_), arg, 0, kRootVMInternal);
886  }
887  for (int i = 0; i < Runtime::kLastCalleeSaveType; i++) {
888    if (callee_save_methods_[i] != nullptr) {
889      callback(reinterpret_cast<mirror::Object**>(&callee_save_methods_[i]), arg, 0,
890               kRootVMInternal);
891    }
892  }
893  {
894    MutexLock mu(Thread::Current(), method_verifier_lock_);
895    for (verifier::MethodVerifier* verifier : method_verifiers_) {
896      verifier->VisitRoots(callback, arg);
897    }
898  }
899  if (preinitialization_transaction != nullptr) {
900    preinitialization_transaction->VisitRoots(callback, arg);
901  }
902  instrumentation_.VisitRoots(callback, arg);
903}
904
905void Runtime::VisitNonConcurrentRoots(RootCallback* callback, void* arg) {
906  thread_list_->VisitRoots(callback, arg);
907  VisitNonThreadRoots(callback, arg);
908}
909
910void Runtime::VisitRoots(RootCallback* callback, void* arg, VisitRootFlags flags) {
911  VisitConcurrentRoots(callback, arg, flags);
912  VisitNonConcurrentRoots(callback, arg);
913}
914
915mirror::ObjectArray<mirror::ArtMethod>* Runtime::CreateDefaultImt(ClassLinker* cl) {
916  Thread* self = Thread::Current();
917  SirtRef<mirror::ObjectArray<mirror::ArtMethod> > imtable(self, cl->AllocArtMethodArray(self, 64));
918  mirror::ArtMethod* imt_conflict_method = Runtime::Current()->GetImtConflictMethod();
919  for (size_t i = 0; i < static_cast<size_t>(imtable->GetLength()); i++) {
920    imtable->Set<false>(i, imt_conflict_method);
921  }
922  return imtable.get();
923}
924
925mirror::ArtMethod* Runtime::CreateImtConflictMethod() {
926  Thread* self = Thread::Current();
927  Runtime* runtime = Runtime::Current();
928  ClassLinker* class_linker = runtime->GetClassLinker();
929  SirtRef<mirror::ArtMethod> method(self, class_linker->AllocArtMethod(self));
930  method->SetDeclaringClass(mirror::ArtMethod::GetJavaLangReflectArtMethod());
931  // TODO: use a special method for imt conflict method saves.
932  method->SetDexMethodIndex(DexFile::kDexNoIndex);
933  // When compiling, the code pointer will get set later when the image is loaded.
934  if (runtime->IsCompiler()) {
935    method->SetEntryPointFromPortableCompiledCode(nullptr);
936    method->SetEntryPointFromQuickCompiledCode(nullptr);
937  } else {
938    method->SetEntryPointFromPortableCompiledCode(GetPortableImtConflictTrampoline(class_linker));
939    method->SetEntryPointFromQuickCompiledCode(GetQuickImtConflictTrampoline(class_linker));
940  }
941  return method.get();
942}
943
944mirror::ArtMethod* Runtime::CreateResolutionMethod() {
945  Thread* self = Thread::Current();
946  Runtime* runtime = Runtime::Current();
947  ClassLinker* class_linker = runtime->GetClassLinker();
948  SirtRef<mirror::ArtMethod> method(self, class_linker->AllocArtMethod(self));
949  method->SetDeclaringClass(mirror::ArtMethod::GetJavaLangReflectArtMethod());
950  // TODO: use a special method for resolution method saves
951  method->SetDexMethodIndex(DexFile::kDexNoIndex);
952  // When compiling, the code pointer will get set later when the image is loaded.
953  if (runtime->IsCompiler()) {
954    method->SetEntryPointFromPortableCompiledCode(nullptr);
955    method->SetEntryPointFromQuickCompiledCode(nullptr);
956  } else {
957    method->SetEntryPointFromPortableCompiledCode(GetPortableResolutionTrampoline(class_linker));
958    method->SetEntryPointFromQuickCompiledCode(GetQuickResolutionTrampoline(class_linker));
959  }
960  return method.get();
961}
962
963mirror::ArtMethod* Runtime::CreateCalleeSaveMethod(InstructionSet instruction_set,
964                                                   CalleeSaveType type) {
965  Thread* self = Thread::Current();
966  Runtime* runtime = Runtime::Current();
967  ClassLinker* class_linker = runtime->GetClassLinker();
968  SirtRef<mirror::ArtMethod> method(self, class_linker->AllocArtMethod(self));
969  method->SetDeclaringClass(mirror::ArtMethod::GetJavaLangReflectArtMethod());
970  // TODO: use a special method for callee saves
971  method->SetDexMethodIndex(DexFile::kDexNoIndex);
972  method->SetEntryPointFromPortableCompiledCode(nullptr);
973  method->SetEntryPointFromQuickCompiledCode(nullptr);
974  if ((instruction_set == kThumb2) || (instruction_set == kArm)) {
975    uint32_t ref_spills = (1 << art::arm::R5) | (1 << art::arm::R6)  | (1 << art::arm::R7) |
976                          (1 << art::arm::R8) | (1 << art::arm::R10) | (1 << art::arm::R11);
977    uint32_t arg_spills = (1 << art::arm::R1) | (1 << art::arm::R2) | (1 << art::arm::R3);
978    uint32_t all_spills = (1 << art::arm::R4) | (1 << art::arm::R9);
979    uint32_t core_spills = ref_spills | (type == kRefsAndArgs ? arg_spills : 0) |
980                           (type == kSaveAll ? all_spills : 0) | (1 << art::arm::LR);
981    uint32_t fp_all_spills = (1 << art::arm::S0)  | (1 << art::arm::S1)  | (1 << art::arm::S2) |
982                             (1 << art::arm::S3)  | (1 << art::arm::S4)  | (1 << art::arm::S5) |
983                             (1 << art::arm::S6)  | (1 << art::arm::S7)  | (1 << art::arm::S8) |
984                             (1 << art::arm::S9)  | (1 << art::arm::S10) | (1 << art::arm::S11) |
985                             (1 << art::arm::S12) | (1 << art::arm::S13) | (1 << art::arm::S14) |
986                             (1 << art::arm::S15) | (1 << art::arm::S16) | (1 << art::arm::S17) |
987                             (1 << art::arm::S18) | (1 << art::arm::S19) | (1 << art::arm::S20) |
988                             (1 << art::arm::S21) | (1 << art::arm::S22) | (1 << art::arm::S23) |
989                             (1 << art::arm::S24) | (1 << art::arm::S25) | (1 << art::arm::S26) |
990                             (1 << art::arm::S27) | (1 << art::arm::S28) | (1 << art::arm::S29) |
991                             (1 << art::arm::S30) | (1 << art::arm::S31);
992    uint32_t fp_spills = type == kSaveAll ? fp_all_spills : 0;
993    size_t frame_size = RoundUp((__builtin_popcount(core_spills) /* gprs */ +
994                                 __builtin_popcount(fp_spills) /* fprs */ +
995                                 1 /* Method* */) * kPointerSize, kStackAlignment);
996    method->SetFrameSizeInBytes(frame_size);
997    method->SetCoreSpillMask(core_spills);
998    method->SetFpSpillMask(fp_spills);
999  } else if (instruction_set == kMips) {
1000    uint32_t ref_spills = (1 << art::mips::S2) | (1 << art::mips::S3) | (1 << art::mips::S4) |
1001                          (1 << art::mips::S5) | (1 << art::mips::S6) | (1 << art::mips::S7) |
1002                          (1 << art::mips::GP) | (1 << art::mips::FP);
1003    uint32_t arg_spills = (1 << art::mips::A1) | (1 << art::mips::A2) | (1 << art::mips::A3);
1004    uint32_t all_spills = (1 << art::mips::S0) | (1 << art::mips::S1);
1005    uint32_t core_spills = ref_spills | (type == kRefsAndArgs ? arg_spills : 0) |
1006                           (type == kSaveAll ? all_spills : 0) | (1 << art::mips::RA);
1007    size_t frame_size = RoundUp((__builtin_popcount(core_spills) /* gprs */ +
1008                                (type == kRefsAndArgs ? 0 : 3) + 1 /* Method* */) *
1009                                kPointerSize, kStackAlignment);
1010    method->SetFrameSizeInBytes(frame_size);
1011    method->SetCoreSpillMask(core_spills);
1012    method->SetFpSpillMask(0);
1013  } else if (instruction_set == kX86) {
1014    uint32_t ref_spills = (1 << art::x86::EBP) | (1 << art::x86::ESI) | (1 << art::x86::EDI);
1015    uint32_t arg_spills = (1 << art::x86::ECX) | (1 << art::x86::EDX) | (1 << art::x86::EBX);
1016    uint32_t core_spills = ref_spills | (type == kRefsAndArgs ? arg_spills : 0) |
1017                         (1 << art::x86::kNumberOfCpuRegisters);  // fake return address callee save
1018    size_t frame_size = RoundUp((__builtin_popcount(core_spills) /* gprs */ +
1019                                 1 /* Method* */) * kPointerSize, kStackAlignment);
1020    method->SetFrameSizeInBytes(frame_size);
1021    method->SetCoreSpillMask(core_spills);
1022    method->SetFpSpillMask(0);
1023  } else if (instruction_set == kX86_64) {
1024    uint32_t ref_spills =
1025        (1 << art::x86_64::RBX) | (1 << art::x86_64::RBP) | (1 << art::x86_64::R12) |
1026        (1 << art::x86_64::R13) | (1 << art::x86_64::R14) | (1 << art::x86_64::R15);
1027    uint32_t arg_spills =
1028        (1 << art::x86_64::RSI) | (1 << art::x86_64::RDX) | (1 << art::x86_64::RCX) |
1029        (1 << art::x86_64::R8) | (1 << art::x86_64::R9);
1030    uint32_t core_spills = ref_spills | (type == kRefsAndArgs ? arg_spills : 0) |
1031        (1 << art::x86_64::kNumberOfCpuRegisters);  // fake return address callee save
1032    uint32_t fp_arg_spills =
1033        (1 << art::x86_64::XMM0) | (1 << art::x86_64::XMM1) | (1 << art::x86_64::XMM2) |
1034        (1 << art::x86_64::XMM3) | (1 << art::x86_64::XMM4) | (1 << art::x86_64::XMM5) |
1035        (1 << art::x86_64::XMM6) | (1 << art::x86_64::XMM7);
1036    uint32_t fp_spills = (type == kRefsAndArgs ? fp_arg_spills : 0);
1037    size_t frame_size = RoundUp((__builtin_popcount(core_spills) /* gprs */ +
1038                                 __builtin_popcount(fp_spills) /* fprs */ +
1039                                 1 /* Method* */) * kPointerSize, kStackAlignment);
1040    method->SetFrameSizeInBytes(frame_size);
1041    method->SetCoreSpillMask(core_spills);
1042    method->SetFpSpillMask(fp_spills);
1043  } else if (instruction_set == kArm64) {
1044      // Callee saved registers
1045      uint32_t ref_spills = (1 << art::arm64::X19) | (1 << art::arm64::X20) | (1 << art::arm64::X21) |
1046                            (1 << art::arm64::X22) | (1 << art::arm64::X23) | (1 << art::arm64::X24) |
1047                            (1 << art::arm64::X25) | (1 << art::arm64::X26) | (1 << art::arm64::X27) |
1048                            (1 << art::arm64::X28);
1049      // X0 is the method pointer. Not saved.
1050      uint32_t arg_spills = (1 << art::arm64::X1) | (1 << art::arm64::X2) | (1 << art::arm64::X3) |
1051                            (1 << art::arm64::X4) | (1 << art::arm64::X5) | (1 << art::arm64::X6) |
1052                            (1 << art::arm64::X7);
1053      // TODO  This is conservative. Only ALL should include the thread register.
1054      // The thread register is not preserved by the aapcs64.
1055      // LR is always saved.
1056      uint32_t all_spills =  0;  // (1 << art::arm64::LR);
1057      uint32_t core_spills = ref_spills | (type == kRefsAndArgs ? arg_spills : 0) |
1058                             (type == kSaveAll ? all_spills : 0) | (1 << art::arm64::FP)
1059                             | (1 << art::arm64::X18) | (1 << art::arm64::LR);
1060
1061      // Save callee-saved floating point registers. Rest are scratch/parameters.
1062      uint32_t fp_arg_spills = (1 << art::arm64::D0) | (1 << art::arm64::D1) | (1 << art::arm64::D2) |
1063                            (1 << art::arm64::D3) | (1 << art::arm64::D4) | (1 << art::arm64::D5) |
1064                            (1 << art::arm64::D6) | (1 << art::arm64::D7);
1065      uint32_t fp_ref_spills = (1 << art::arm64::D8)  | (1 << art::arm64::D9)  | (1 << art::arm64::D10) |
1066                               (1 << art::arm64::D11)  | (1 << art::arm64::D12)  | (1 << art::arm64::D13) |
1067                               (1 << art::arm64::D14)  | (1 << art::arm64::D15);
1068      uint32_t fp_all_spills = fp_arg_spills |
1069                          (1 << art::arm64::D16)  | (1 << art::arm64::D17) | (1 << art::arm64::D18) |
1070                          (1 << art::arm64::D19)  | (1 << art::arm64::D20) | (1 << art::arm64::D21) |
1071                          (1 << art::arm64::D22)  | (1 << art::arm64::D23) | (1 << art::arm64::D24) |
1072                          (1 << art::arm64::D25)  | (1 << art::arm64::D26) | (1 << art::arm64::D27) |
1073                          (1 << art::arm64::D28)  | (1 << art::arm64::D29) | (1 << art::arm64::D30) |
1074                          (1 << art::arm64::D31);
1075      uint32_t fp_spills = fp_ref_spills | (type == kRefsAndArgs ? fp_arg_spills: 0)
1076                          | (type == kSaveAll ? fp_all_spills : 0);
1077      size_t frame_size = RoundUp((__builtin_popcount(core_spills) /* gprs */ +
1078                                   __builtin_popcount(fp_spills) /* fprs */ +
1079                                   1 /* Method* */) * kPointerSize, kStackAlignment);
1080      method->SetFrameSizeInBytes(frame_size);
1081      method->SetCoreSpillMask(core_spills);
1082      method->SetFpSpillMask(fp_spills);
1083  } else {
1084    UNIMPLEMENTED(FATAL) << instruction_set;
1085  }
1086  return method.get();
1087}
1088
1089void Runtime::DisallowNewSystemWeaks() {
1090  monitor_list_->DisallowNewMonitors();
1091  intern_table_->DisallowNewInterns();
1092  java_vm_->DisallowNewWeakGlobals();
1093  Dbg::DisallowNewObjectRegistryObjects();
1094}
1095
1096void Runtime::AllowNewSystemWeaks() {
1097  monitor_list_->AllowNewMonitors();
1098  intern_table_->AllowNewInterns();
1099  java_vm_->AllowNewWeakGlobals();
1100  Dbg::AllowNewObjectRegistryObjects();
1101}
1102
1103void Runtime::SetCalleeSaveMethod(mirror::ArtMethod* method, CalleeSaveType type) {
1104  DCHECK_LT(static_cast<int>(type), static_cast<int>(kLastCalleeSaveType));
1105  callee_save_methods_[type] = method;
1106}
1107
1108const std::vector<const DexFile*>& Runtime::GetCompileTimeClassPath(jobject class_loader) {
1109  if (class_loader == NULL) {
1110    return GetClassLinker()->GetBootClassPath();
1111  }
1112  CHECK(UseCompileTimeClassPath());
1113  CompileTimeClassPaths::const_iterator it = compile_time_class_paths_.find(class_loader);
1114  CHECK(it != compile_time_class_paths_.end());
1115  return it->second;
1116}
1117
1118void Runtime::SetCompileTimeClassPath(jobject class_loader,
1119                                      std::vector<const DexFile*>& class_path) {
1120  CHECK(!IsStarted());
1121  use_compile_time_class_path_ = true;
1122  compile_time_class_paths_.Put(class_loader, class_path);
1123}
1124
1125void Runtime::AddMethodVerifier(verifier::MethodVerifier* verifier) {
1126  DCHECK(verifier != nullptr);
1127  MutexLock mu(Thread::Current(), method_verifier_lock_);
1128  method_verifiers_.insert(verifier);
1129}
1130
1131void Runtime::RemoveMethodVerifier(verifier::MethodVerifier* verifier) {
1132  DCHECK(verifier != nullptr);
1133  MutexLock mu(Thread::Current(), method_verifier_lock_);
1134  auto it = method_verifiers_.find(verifier);
1135  CHECK(it != method_verifiers_.end());
1136  method_verifiers_.erase(it);
1137}
1138
1139void Runtime::StartProfiler(const char* appDir, const char* procName, bool startImmediately) {
1140  BackgroundMethodSamplingProfiler::Start(profile_period_s_, profile_duration_s_, appDir,
1141      procName, profile_interval_us_,
1142      profile_backoff_coefficient_, startImmediately);
1143}
1144
1145// Transaction support.
1146// TODO move them to header file for inlining.
1147bool Runtime::IsActiveTransaction() const {
1148  return preinitialization_transaction != nullptr;
1149}
1150
1151void Runtime::EnterTransactionMode(Transaction* transaction) {
1152  DCHECK(IsCompiler());
1153  DCHECK(transaction != nullptr);
1154  DCHECK(!IsActiveTransaction());
1155  preinitialization_transaction = transaction;
1156}
1157
1158void Runtime::ExitTransactionMode() {
1159  DCHECK(IsCompiler());
1160  DCHECK(IsActiveTransaction());
1161  preinitialization_transaction = nullptr;
1162}
1163
1164void Runtime::RecordWriteField32(mirror::Object* obj, MemberOffset field_offset,
1165                                 uint32_t value, bool is_volatile) const {
1166  DCHECK(IsCompiler());
1167  DCHECK(IsActiveTransaction());
1168  preinitialization_transaction->RecordWriteField32(obj, field_offset, value, is_volatile);
1169}
1170
1171void Runtime::RecordWriteField64(mirror::Object* obj, MemberOffset field_offset,
1172                                 uint64_t value, bool is_volatile) const {
1173  DCHECK(IsCompiler());
1174  DCHECK(IsActiveTransaction());
1175  preinitialization_transaction->RecordWriteField64(obj, field_offset, value, is_volatile);
1176}
1177
1178void Runtime::RecordWriteFieldReference(mirror::Object* obj, MemberOffset field_offset,
1179                                        mirror::Object* value, bool is_volatile) const {
1180  DCHECK(IsCompiler());
1181  DCHECK(IsActiveTransaction());
1182  preinitialization_transaction->RecordWriteFieldReference(obj, field_offset, value, is_volatile);
1183}
1184
1185void Runtime::RecordWriteArray(mirror::Array* array, size_t index, uint64_t value) const {
1186  DCHECK(IsCompiler());
1187  DCHECK(IsActiveTransaction());
1188  preinitialization_transaction->RecordWriteArray(array, index, value);
1189}
1190
1191void Runtime::RecordStrongStringInsertion(mirror::String* s, uint32_t hash_code) const {
1192  DCHECK(IsCompiler());
1193  DCHECK(IsActiveTransaction());
1194  preinitialization_transaction->RecordStrongStringInsertion(s, hash_code);
1195}
1196
1197void Runtime::RecordWeakStringInsertion(mirror::String* s, uint32_t hash_code) const {
1198  DCHECK(IsCompiler());
1199  DCHECK(IsActiveTransaction());
1200  preinitialization_transaction->RecordWeakStringInsertion(s, hash_code);
1201}
1202
1203void Runtime::RecordStrongStringRemoval(mirror::String* s, uint32_t hash_code) const {
1204  DCHECK(IsCompiler());
1205  DCHECK(IsActiveTransaction());
1206  preinitialization_transaction->RecordStrongStringRemoval(s, hash_code);
1207}
1208
1209void Runtime::RecordWeakStringRemoval(mirror::String* s, uint32_t hash_code) const {
1210  DCHECK(IsCompiler());
1211  DCHECK(IsActiveTransaction());
1212  preinitialization_transaction->RecordWeakStringRemoval(s, hash_code);
1213}
1214
1215void Runtime::SetFaultMessage(const std::string& message) {
1216  MutexLock mu(Thread::Current(), fault_message_lock_);
1217  fault_message_ = message;
1218}
1219
1220void Runtime::UpdateProfilerState(int state) {
1221  LOG(DEBUG) << "Profiler state updated to " << state;
1222}
1223}  // namespace art
1224