runtime.cc revision 692fafd9778141fa6ef0048c9569abd7ee0253bf
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
26#include <cstdio>
27#include <cstdlib>
28#include <limits>
29#include <vector>
30
31#include "arch/arm/registers_arm.h"
32#include "arch/mips/registers_mips.h"
33#include "arch/x86/registers_x86.h"
34#include "atomic.h"
35#include "class_linker.h"
36#include "debugger.h"
37#include "gc/accounting/card_table-inl.h"
38#include "gc/heap.h"
39#include "gc/space/space.h"
40#include "image.h"
41#include "instrumentation.h"
42#include "intern_table.h"
43#include "invoke_arg_array_builder.h"
44#include "jni_internal.h"
45#include "mirror/art_field-inl.h"
46#include "mirror/art_method-inl.h"
47#include "mirror/array.h"
48#include "mirror/class-inl.h"
49#include "mirror/class_loader.h"
50#include "mirror/stack_trace_element.h"
51#include "mirror/throwable.h"
52#include "monitor.h"
53#include "oat_file.h"
54#include "ScopedLocalRef.h"
55#include "scoped_thread_state_change.h"
56#include "signal_catcher.h"
57#include "signal_set.h"
58#include "sirt_ref.h"
59#include "thread.h"
60#include "thread_list.h"
61#include "trace.h"
62#include "UniquePtr.h"
63#include "verifier/method_verifier.h"
64#include "well_known_classes.h"
65
66#include "JniConstants.h"  // Last to avoid LOG redefinition in ics-mr1-plus-art.
67
68namespace art {
69
70Runtime* Runtime::instance_ = NULL;
71
72Runtime::Runtime()
73    : is_compiler_(false),
74      is_zygote_(false),
75      is_concurrent_gc_enabled_(true),
76      is_explicit_gc_disabled_(false),
77      default_stack_size_(0),
78      heap_(NULL),
79      max_spins_before_thin_lock_inflation_(Monitor::kDefaultMaxSpinsBeforeThinLockInflation),
80      monitor_list_(NULL),
81      thread_list_(NULL),
82      intern_table_(NULL),
83      class_linker_(NULL),
84      signal_catcher_(NULL),
85      java_vm_(NULL),
86      pre_allocated_OutOfMemoryError_(NULL),
87      resolution_method_(NULL),
88      imt_conflict_method_(NULL),
89      default_imt_(NULL),
90      method_verifiers_lock_("Method verifiers lock"),
91      threads_being_born_(0),
92      shutdown_cond_(new ConditionVariable("Runtime shutdown", *Locks::runtime_shutdown_lock_)),
93      shutting_down_(false),
94      shutting_down_started_(false),
95      started_(false),
96      finished_starting_(false),
97      vfprintf_(NULL),
98      exit_(NULL),
99      abort_(NULL),
100      stats_enabled_(false),
101      method_trace_(0),
102      method_trace_file_size_(0),
103      instrumentation_(),
104      use_compile_time_class_path_(false),
105      main_thread_group_(NULL),
106      system_thread_group_(NULL),
107      system_class_loader_(NULL) {
108  for (int i = 0; i < Runtime::kLastCalleeSaveType; i++) {
109    callee_save_methods_[i] = NULL;
110  }
111}
112
113Runtime::~Runtime() {
114  if (dump_gc_performance_on_shutdown_) {
115    // This can't be called from the Heap destructor below because it
116    // could call RosAlloc::InspectAll() which needs the thread_list
117    // to be still alive.
118    heap_->DumpGcPerformanceInfo(LOG(INFO));
119  }
120
121  Thread* self = Thread::Current();
122  {
123    MutexLock mu(self, *Locks::runtime_shutdown_lock_);
124    shutting_down_started_ = true;
125    while (threads_being_born_ > 0) {
126      shutdown_cond_->Wait(self);
127    }
128    shutting_down_ = true;
129  }
130  Trace::Shutdown();
131
132  // Make sure to let the GC complete if it is running.
133  heap_->WaitForGcToComplete(self);
134  heap_->DeleteThreadPool();
135
136  // Make sure our internal threads are dead before we start tearing down things they're using.
137  Dbg::StopJdwp();
138  delete signal_catcher_;
139
140  // Make sure all other non-daemon threads have terminated, and all daemon threads are suspended.
141  delete thread_list_;
142  delete monitor_list_;
143  delete class_linker_;
144  delete heap_;
145  delete intern_table_;
146  delete java_vm_;
147  Thread::Shutdown();
148  QuasiAtomic::Shutdown();
149  verifier::MethodVerifier::Shutdown();
150  // TODO: acquire a static mutex on Runtime to avoid racing.
151  CHECK(instance_ == NULL || instance_ == this);
152  instance_ = NULL;
153}
154
155struct AbortState {
156  void Dump(std::ostream& os) {
157    if (gAborting > 1) {
158      os << "Runtime aborting --- recursively, so no thread-specific detail!\n";
159      return;
160    }
161    gAborting++;
162    os << "Runtime aborting...\n";
163    if (Runtime::Current() == NULL) {
164      os << "(Runtime does not yet exist!)\n";
165      return;
166    }
167    Thread* self = Thread::Current();
168    if (self == NULL) {
169      os << "(Aborting thread was not attached to runtime!)\n";
170    } else {
171      // TODO: we're aborting and the ScopedObjectAccess may attempt to acquire the mutator_lock_
172      //       which may block indefinitely if there's a misbehaving thread holding it exclusively.
173      //       The code below should be made robust to this.
174      ScopedObjectAccess soa(self);
175      os << "Aborting thread:\n";
176      self->Dump(os);
177      if (self->IsExceptionPending()) {
178        ThrowLocation throw_location;
179        mirror::Throwable* exception = self->GetException(&throw_location);
180        os << "Pending exception " << PrettyTypeOf(exception)
181            << " thrown by '" << throw_location.Dump() << "'\n"
182            << exception->Dump();
183      }
184    }
185    DumpAllThreads(os, self);
186  }
187
188  void DumpAllThreads(std::ostream& os, Thread* self) NO_THREAD_SAFETY_ANALYSIS {
189    bool tll_already_held = Locks::thread_list_lock_->IsExclusiveHeld(self);
190    bool ml_already_held = Locks::mutator_lock_->IsSharedHeld(self);
191    if (!tll_already_held || !ml_already_held) {
192      os << "Dumping all threads without appropriate locks held:"
193          << (!tll_already_held ? " thread list lock" : "")
194          << (!ml_already_held ? " mutator lock" : "")
195          << "\n";
196    }
197    os << "All threads:\n";
198    Runtime::Current()->GetThreadList()->DumpLocked(os);
199  }
200};
201
202void Runtime::Abort() {
203  gAborting++;  // set before taking any locks
204
205  // Ensure that we don't have multiple threads trying to abort at once,
206  // which would result in significantly worse diagnostics.
207  MutexLock mu(Thread::Current(), *Locks::abort_lock_);
208
209  // Get any pending output out of the way.
210  fflush(NULL);
211
212  // Many people have difficulty distinguish aborts from crashes,
213  // so be explicit.
214  AbortState state;
215  LOG(INTERNAL_FATAL) << Dumpable<AbortState>(state);
216
217  // Call the abort hook if we have one.
218  if (Runtime::Current() != NULL && Runtime::Current()->abort_ != NULL) {
219    LOG(INTERNAL_FATAL) << "Calling abort hook...";
220    Runtime::Current()->abort_();
221    // notreached
222    LOG(INTERNAL_FATAL) << "Unexpectedly returned from abort hook!";
223  }
224
225#if defined(__GLIBC__)
226  // TODO: we ought to be able to use pthread_kill(3) here (or abort(3),
227  // which POSIX defines in terms of raise(3), which POSIX defines in terms
228  // of pthread_kill(3)). On Linux, though, libcorkscrew can't unwind through
229  // libpthread, which means the stacks we dump would be useless. Calling
230  // tgkill(2) directly avoids that.
231  syscall(__NR_tgkill, getpid(), GetTid(), SIGABRT);
232  // TODO: LLVM installs it's own SIGABRT handler so exit to be safe... Can we disable that in LLVM?
233  // If not, we could use sigaction(3) before calling tgkill(2) and lose this call to exit(3).
234  exit(1);
235#else
236  abort();
237#endif
238  // notreached
239}
240
241bool Runtime::PreZygoteFork() {
242  heap_->PreZygoteFork();
243  return true;
244}
245
246void Runtime::CallExitHook(jint status) {
247  if (exit_ != NULL) {
248    ScopedThreadStateChange tsc(Thread::Current(), kNative);
249    exit_(status);
250    LOG(WARNING) << "Exit hook returned instead of exiting!";
251  }
252}
253
254// Parse a string of the form /[0-9]+[kKmMgG]?/, which is used to specify
255// memory sizes.  [kK] indicates kilobytes, [mM] megabytes, and
256// [gG] gigabytes.
257//
258// "s" should point just past the "-Xm?" part of the string.
259// "div" specifies a divisor, e.g. 1024 if the value must be a multiple
260// of 1024.
261//
262// The spec says the -Xmx and -Xms options must be multiples of 1024.  It
263// doesn't say anything about -Xss.
264//
265// Returns 0 (a useless size) if "s" is malformed or specifies a low or
266// non-evenly-divisible value.
267//
268size_t ParseMemoryOption(const char* s, size_t div) {
269  // strtoul accepts a leading [+-], which we don't want,
270  // so make sure our string starts with a decimal digit.
271  if (isdigit(*s)) {
272    char* s2;
273    size_t val = strtoul(s, &s2, 10);
274    if (s2 != s) {
275      // s2 should be pointing just after the number.
276      // If this is the end of the string, the user
277      // has specified a number of bytes.  Otherwise,
278      // there should be exactly one more character
279      // that specifies a multiplier.
280      if (*s2 != '\0') {
281        // The remainder of the string is either a single multiplier
282        // character, or nothing to indicate that the value is in
283        // bytes.
284        char c = *s2++;
285        if (*s2 == '\0') {
286          size_t mul;
287          if (c == '\0') {
288            mul = 1;
289          } else if (c == 'k' || c == 'K') {
290            mul = KB;
291          } else if (c == 'm' || c == 'M') {
292            mul = MB;
293          } else if (c == 'g' || c == 'G') {
294            mul = GB;
295          } else {
296            // Unknown multiplier character.
297            return 0;
298          }
299
300          if (val <= std::numeric_limits<size_t>::max() / mul) {
301            val *= mul;
302          } else {
303            // Clamp to a multiple of 1024.
304            val = std::numeric_limits<size_t>::max() & ~(1024-1);
305          }
306        } else {
307          // There's more than one character after the numeric part.
308          return 0;
309        }
310      }
311      // The man page says that a -Xm value must be a multiple of 1024.
312      if (val % div == 0) {
313        return val;
314      }
315    }
316  }
317  return 0;
318}
319
320size_t ParseIntegerOrDie(const std::string& s) {
321  std::string::size_type colon = s.find(':');
322  if (colon == std::string::npos) {
323    LOG(FATAL) << "Missing integer: " << s;
324  }
325  const char* begin = &s[colon + 1];
326  char* end;
327  size_t result = strtoul(begin, &end, 10);
328  if (begin == end || *end != '\0') {
329    LOG(FATAL) << "Failed to parse integer in: " << s;
330  }
331  return result;
332}
333
334void Runtime::SweepSystemWeaks(RootVisitor* visitor, void* arg) {
335  GetInternTable()->SweepInternTableWeaks(visitor, arg);
336  GetMonitorList()->SweepMonitorList(visitor, arg);
337  GetJavaVM()->SweepJniWeakGlobals(visitor, arg);
338}
339
340Runtime::ParsedOptions* Runtime::ParsedOptions::Create(const Options& options, bool ignore_unrecognized) {
341  UniquePtr<ParsedOptions> parsed(new ParsedOptions());
342  const char* boot_class_path_string = getenv("BOOTCLASSPATH");
343  if (boot_class_path_string != NULL) {
344    parsed->boot_class_path_string_ = boot_class_path_string;
345  }
346  const char* class_path_string = getenv("CLASSPATH");
347  if (class_path_string != NULL) {
348    parsed->class_path_string_ = class_path_string;
349  }
350  // -Xcheck:jni is off by default for regular builds but on by default in debug builds.
351  parsed->check_jni_ = kIsDebugBuild;
352
353  parsed->heap_initial_size_ = gc::Heap::kDefaultInitialSize;
354  parsed->heap_maximum_size_ = gc::Heap::kDefaultMaximumSize;
355  parsed->heap_min_free_ = gc::Heap::kDefaultMinFree;
356  parsed->heap_max_free_ = gc::Heap::kDefaultMaxFree;
357  parsed->heap_target_utilization_ = gc::Heap::kDefaultTargetUtilization;
358  parsed->heap_growth_limit_ = 0;  // 0 means no growth limit .
359  // Default to number of processors minus one since the main GC thread also does work.
360  parsed->parallel_gc_threads_ = sysconf(_SC_NPROCESSORS_CONF) - 1;
361  // Only the main GC thread, no workers.
362  parsed->conc_gc_threads_ = 0;
363  // Default is CMS which is Sticky + Partial + Full CMS GC.
364  parsed->collector_type_ = gc::kCollectorTypeCMS;
365  parsed->stack_size_ = 0;  // 0 means default.
366  parsed->max_spins_before_thin_lock_inflation_ = Monitor::kDefaultMaxSpinsBeforeThinLockInflation;
367  parsed->low_memory_mode_ = false;
368  parsed->use_tlab_ = false;
369
370  parsed->is_compiler_ = false;
371  parsed->is_zygote_ = false;
372  parsed->interpreter_only_ = false;
373  parsed->is_explicit_gc_disabled_ = false;
374
375  parsed->long_pause_log_threshold_ = gc::Heap::kDefaultLongPauseLogThreshold;
376  parsed->long_gc_log_threshold_ = gc::Heap::kDefaultLongGCLogThreshold;
377  parsed->dump_gc_performance_on_shutdown_ = false;
378  parsed->ignore_max_footprint_ = false;
379
380  parsed->lock_profiling_threshold_ = 0;
381  parsed->hook_is_sensitive_thread_ = NULL;
382
383  parsed->hook_vfprintf_ = vfprintf;
384  parsed->hook_exit_ = exit;
385  parsed->hook_abort_ = NULL;  // We don't call abort(3) by default; see Runtime::Abort.
386
387  parsed->compiler_filter_ = Runtime::kDefaultCompilerFilter;
388  parsed->huge_method_threshold_ = Runtime::kDefaultHugeMethodThreshold;
389  parsed->large_method_threshold_ = Runtime::kDefaultLargeMethodThreshold;
390  parsed->small_method_threshold_ = Runtime::kDefaultSmallMethodThreshold;
391  parsed->tiny_method_threshold_ = Runtime::kDefaultTinyMethodThreshold;
392  parsed->num_dex_methods_threshold_ = Runtime::kDefaultNumDexMethodsThreshold;
393
394  parsed->sea_ir_mode_ = false;
395//  gLogVerbosity.class_linker = true;  // TODO: don't check this in!
396//  gLogVerbosity.compiler = true;  // TODO: don't check this in!
397//  gLogVerbosity.verifier = true;  // TODO: don't check this in!
398//  gLogVerbosity.heap = true;  // TODO: don't check this in!
399//  gLogVerbosity.gc = true;  // TODO: don't check this in!
400//  gLogVerbosity.jdwp = true;  // TODO: don't check this in!
401//  gLogVerbosity.jni = true;  // TODO: don't check this in!
402//  gLogVerbosity.monitor = true;  // TODO: don't check this in!
403//  gLogVerbosity.startup = true;  // TODO: don't check this in!
404//  gLogVerbosity.third_party_jni = true;  // TODO: don't check this in!
405//  gLogVerbosity.threads = true;  // TODO: don't check this in!
406
407  parsed->method_trace_ = false;
408  parsed->method_trace_file_ = "/data/method-trace-file.bin";
409  parsed->method_trace_file_size_ = 10 * MB;
410
411  for (size_t i = 0; i < options.size(); ++i) {
412    const std::string option(options[i].first);
413    if (true && options[0].first == "-Xzygote") {
414      LOG(INFO) << "option[" << i << "]=" << option;
415    }
416    if (StartsWith(option, "-Xbootclasspath:")) {
417      parsed->boot_class_path_string_ = option.substr(strlen("-Xbootclasspath:")).data();
418    } else if (option == "-classpath" || option == "-cp") {
419      // TODO: support -Djava.class.path
420      i++;
421      if (i == options.size()) {
422        // TODO: usage
423        LOG(FATAL) << "Missing required class path value for " << option;
424        return NULL;
425      }
426      const StringPiece& value = options[i].first;
427      parsed->class_path_string_ = value.data();
428    } else if (option == "bootclasspath") {
429      parsed->boot_class_path_
430          = reinterpret_cast<const std::vector<const DexFile*>*>(options[i].second);
431    } else if (StartsWith(option, "-Ximage:")) {
432      parsed->image_ = option.substr(strlen("-Ximage:")).data();
433    } else if (StartsWith(option, "-Xcheck:jni")) {
434      parsed->check_jni_ = true;
435    } else if (StartsWith(option, "-Xrunjdwp:") || StartsWith(option, "-agentlib:jdwp=")) {
436      std::string tail(option.substr(option[1] == 'X' ? 10 : 15));
437      if (tail == "help" || !Dbg::ParseJdwpOptions(tail)) {
438        LOG(FATAL) << "Example: -Xrunjdwp:transport=dt_socket,address=8000,server=y\n"
439                   << "Example: -Xrunjdwp:transport=dt_socket,address=localhost:6500,server=n";
440        return NULL;
441      }
442    } else if (StartsWith(option, "-Xms")) {
443      size_t size = ParseMemoryOption(option.substr(strlen("-Xms")).c_str(), 1024);
444      if (size == 0) {
445        if (ignore_unrecognized) {
446          continue;
447        }
448        // TODO: usage
449        LOG(FATAL) << "Failed to parse " << option;
450        return NULL;
451      }
452      parsed->heap_initial_size_ = size;
453    } else if (StartsWith(option, "-Xmx")) {
454      size_t size = ParseMemoryOption(option.substr(strlen("-Xmx")).c_str(), 1024);
455      if (size == 0) {
456        if (ignore_unrecognized) {
457          continue;
458        }
459        // TODO: usage
460        LOG(FATAL) << "Failed to parse " << option;
461        return NULL;
462      }
463      parsed->heap_maximum_size_ = size;
464    } else if (StartsWith(option, "-XX:HeapGrowthLimit=")) {
465      size_t size = ParseMemoryOption(option.substr(strlen("-XX:HeapGrowthLimit=")).c_str(), 1024);
466      if (size == 0) {
467        if (ignore_unrecognized) {
468          continue;
469        }
470        // TODO: usage
471        LOG(FATAL) << "Failed to parse " << option;
472        return NULL;
473      }
474      parsed->heap_growth_limit_ = size;
475    } else if (StartsWith(option, "-XX:HeapMinFree=")) {
476      size_t size = ParseMemoryOption(option.substr(strlen("-XX:HeapMinFree=")).c_str(), 1024);
477      if (size == 0) {
478        if (ignore_unrecognized) {
479          continue;
480        }
481        // TODO: usage
482        LOG(FATAL) << "Failed to parse " << option;
483        return NULL;
484      }
485      parsed->heap_min_free_ = size;
486    } else if (StartsWith(option, "-XX:HeapMaxFree=")) {
487      size_t size = ParseMemoryOption(option.substr(strlen("-XX:HeapMaxFree=")).c_str(), 1024);
488      if (size == 0) {
489        if (ignore_unrecognized) {
490          continue;
491        }
492        // TODO: usage
493        LOG(FATAL) << "Failed to parse " << option;
494        return NULL;
495      }
496      parsed->heap_max_free_ = size;
497    } else if (StartsWith(option, "-XX:HeapTargetUtilization=")) {
498      std::istringstream iss(option.substr(strlen("-XX:HeapTargetUtilization=")));
499      double value;
500      iss >> value;
501      // Ensure that we have a value, there was no cruft after it and it satisfies a sensible range.
502      const bool sane_val = iss.eof() && (value >= 0.1) && (value <= 0.9);
503      if (!sane_val) {
504        if (ignore_unrecognized) {
505          continue;
506        }
507        LOG(FATAL) << "Invalid option '" << option << "'";
508        return NULL;
509      }
510      parsed->heap_target_utilization_ = value;
511    } else if (StartsWith(option, "-XX:ParallelGCThreads=")) {
512      parsed->parallel_gc_threads_ =
513          ParseMemoryOption(option.substr(strlen("-XX:ParallelGCThreads=")).c_str(), 1024);
514    } else if (StartsWith(option, "-XX:ConcGCThreads=")) {
515      parsed->conc_gc_threads_ =
516          ParseMemoryOption(option.substr(strlen("-XX:ConcGCThreads=")).c_str(), 1024);
517    } else if (StartsWith(option, "-Xss")) {
518      size_t size = ParseMemoryOption(option.substr(strlen("-Xss")).c_str(), 1);
519      if (size == 0) {
520        if (ignore_unrecognized) {
521          continue;
522        }
523        // TODO: usage
524        LOG(FATAL) << "Failed to parse " << option;
525        return NULL;
526      }
527      parsed->stack_size_ = size;
528    } else if (StartsWith(option, "-XX:MaxSpinsBeforeThinLockInflation=")) {
529      parsed->max_spins_before_thin_lock_inflation_ =
530          strtoul(option.substr(strlen("-XX:MaxSpinsBeforeThinLockInflation=")).c_str(),
531                  nullptr, 10);
532    } else if (option == "-XX:LongPauseLogThreshold") {
533      parsed->long_pause_log_threshold_ =
534          ParseMemoryOption(option.substr(strlen("-XX:LongPauseLogThreshold=")).c_str(), 1024);
535    } else if (option == "-XX:LongGCLogThreshold") {
536          parsed->long_gc_log_threshold_ =
537              ParseMemoryOption(option.substr(strlen("-XX:LongGCLogThreshold")).c_str(), 1024);
538    } else if (option == "-XX:DumpGCPerformanceOnShutdown") {
539      parsed->dump_gc_performance_on_shutdown_ = true;
540    } else if (option == "-XX:IgnoreMaxFootprint") {
541      parsed->ignore_max_footprint_ = true;
542    } else if (option == "-XX:LowMemoryMode") {
543      parsed->low_memory_mode_ = true;
544    } else if (option == "-XX:UseTLAB") {
545      parsed->use_tlab_ = true;
546    } else if (StartsWith(option, "-D")) {
547      parsed->properties_.push_back(option.substr(strlen("-D")));
548    } else if (StartsWith(option, "-Xjnitrace:")) {
549      parsed->jni_trace_ = option.substr(strlen("-Xjnitrace:"));
550    } else if (option == "compiler") {
551      parsed->is_compiler_ = true;
552    } else if (option == "-Xzygote") {
553      parsed->is_zygote_ = true;
554    } else if (option == "-Xint") {
555      parsed->interpreter_only_ = true;
556    } else if (StartsWith(option, "-Xgc:")) {
557      std::vector<std::string> gc_options;
558      Split(option.substr(strlen("-Xgc:")), ',', gc_options);
559      for (size_t i = 0; i < gc_options.size(); ++i) {
560        if (gc_options[i] == "MS" || gc_options[i] == "nonconcurrent") {
561          parsed->collector_type_ = gc::kCollectorTypeMS;
562        } else if (gc_options[i] == "CMS" || gc_options[i] == "concurrent") {
563          parsed->collector_type_ = gc::kCollectorTypeCMS;
564        } else if (gc_options[i] == "SS") {
565          parsed->collector_type_ = gc::kCollectorTypeSS;
566        } else {
567          LOG(WARNING) << "Ignoring unknown -Xgc option: " << gc_options[i];
568        }
569      }
570    } else if (option == "-XX:+DisableExplicitGC") {
571      parsed->is_explicit_gc_disabled_ = true;
572    } else if (StartsWith(option, "-verbose:")) {
573      std::vector<std::string> verbose_options;
574      Split(option.substr(strlen("-verbose:")), ',', verbose_options);
575      for (size_t i = 0; i < verbose_options.size(); ++i) {
576        if (verbose_options[i] == "class") {
577          gLogVerbosity.class_linker = true;
578        } else if (verbose_options[i] == "verifier") {
579          gLogVerbosity.verifier = true;
580        } else if (verbose_options[i] == "compiler") {
581          gLogVerbosity.compiler = true;
582        } else if (verbose_options[i] == "heap") {
583          gLogVerbosity.heap = true;
584        } else if (verbose_options[i] == "gc") {
585          gLogVerbosity.gc = true;
586        } else if (verbose_options[i] == "jdwp") {
587          gLogVerbosity.jdwp = true;
588        } else if (verbose_options[i] == "jni") {
589          gLogVerbosity.jni = true;
590        } else if (verbose_options[i] == "monitor") {
591          gLogVerbosity.monitor = true;
592        } else if (verbose_options[i] == "startup") {
593          gLogVerbosity.startup = true;
594        } else if (verbose_options[i] == "third-party-jni") {
595          gLogVerbosity.third_party_jni = true;
596        } else if (verbose_options[i] == "threads") {
597          gLogVerbosity.threads = true;
598        } else {
599          LOG(WARNING) << "Ignoring unknown -verbose option: " << verbose_options[i];
600        }
601      }
602    } else if (StartsWith(option, "-Xjnigreflimit:")) {
603      // Silently ignored for backwards compatibility.
604    } else if (StartsWith(option, "-Xlockprofthreshold:")) {
605      parsed->lock_profiling_threshold_ = ParseIntegerOrDie(option);
606    } else if (StartsWith(option, "-Xstacktracefile:")) {
607      parsed->stack_trace_file_ = option.substr(strlen("-Xstacktracefile:"));
608    } else if (option == "sensitiveThread") {
609      parsed->hook_is_sensitive_thread_ = reinterpret_cast<bool (*)()>(const_cast<void*>(options[i].second));
610    } else if (option == "vfprintf") {
611      parsed->hook_vfprintf_ =
612          reinterpret_cast<int (*)(FILE *, const char*, va_list)>(const_cast<void*>(options[i].second));
613    } else if (option == "exit") {
614      parsed->hook_exit_ = reinterpret_cast<void(*)(jint)>(const_cast<void*>(options[i].second));
615    } else if (option == "abort") {
616      parsed->hook_abort_ = reinterpret_cast<void(*)()>(const_cast<void*>(options[i].second));
617    } else if (option == "host-prefix") {
618      parsed->host_prefix_ = reinterpret_cast<const char*>(options[i].second);
619    } else if (option == "-Xgenregmap" || option == "-Xgc:precise") {
620      // We silently ignore these for backwards compatibility.
621    } else if (option == "-Xmethod-trace") {
622      parsed->method_trace_ = true;
623    } else if (StartsWith(option, "-Xmethod-trace-file:")) {
624      parsed->method_trace_file_ = option.substr(strlen("-Xmethod-trace-file:"));
625    } else if (StartsWith(option, "-Xmethod-trace-file-size:")) {
626      parsed->method_trace_file_size_ = ParseIntegerOrDie(option);
627    } else if (option == "-Xprofile:threadcpuclock") {
628      Trace::SetDefaultClockSource(kProfilerClockSourceThreadCpu);
629    } else if (option == "-Xprofile:wallclock") {
630      Trace::SetDefaultClockSource(kProfilerClockSourceWall);
631    } else if (option == "-Xprofile:dualclock") {
632      Trace::SetDefaultClockSource(kProfilerClockSourceDual);
633    } else if (option == "-compiler-filter:interpret-only") {
634      parsed->compiler_filter_ = kInterpretOnly;
635    } else if (option == "-compiler-filter:space") {
636      parsed->compiler_filter_ = kSpace;
637    } else if (option == "-compiler-filter:balanced") {
638      parsed->compiler_filter_ = kBalanced;
639    } else if (option == "-compiler-filter:speed") {
640      parsed->compiler_filter_ = kSpeed;
641    } else if (option == "-compiler-filter:everything") {
642      parsed->compiler_filter_ = kEverything;
643    } else if (option == "-sea_ir") {
644      parsed->sea_ir_mode_ = true;
645    } else if (StartsWith(option, "-huge-method-max:")) {
646      parsed->huge_method_threshold_ = ParseIntegerOrDie(option);
647    } else if (StartsWith(option, "-large-method-max:")) {
648      parsed->large_method_threshold_ = ParseIntegerOrDie(option);
649    } else if (StartsWith(option, "-small-method-max:")) {
650      parsed->small_method_threshold_ = ParseIntegerOrDie(option);
651    } else if (StartsWith(option, "-tiny-method-max:")) {
652      parsed->tiny_method_threshold_ = ParseIntegerOrDie(option);
653    } else if (StartsWith(option, "-num-dex-methods-max:")) {
654      parsed->num_dex_methods_threshold_ = ParseIntegerOrDie(option);
655    } else {
656      if (!ignore_unrecognized) {
657        // TODO: print usage via vfprintf
658        LOG(ERROR) << "Unrecognized option " << option;
659        // TODO: this should exit, but for now tolerate unknown options
660        // return NULL;
661      }
662    }
663  }
664
665  // If a reference to the dalvik core.jar snuck in, replace it with
666  // the art specific version. This can happen with on device
667  // boot.art/boot.oat generation by GenerateImage which relies on the
668  // value of BOOTCLASSPATH.
669  std::string core_jar("/core.jar");
670  size_t core_jar_pos = parsed->boot_class_path_string_.find(core_jar);
671  if (core_jar_pos != std::string::npos) {
672    parsed->boot_class_path_string_.replace(core_jar_pos, core_jar.size(), "/core-libart.jar");
673  }
674
675  if (!parsed->is_compiler_ && parsed->image_.empty()) {
676    parsed->image_ += GetAndroidRoot();
677    parsed->image_ += "/framework/boot.art";
678  }
679  if (parsed->heap_growth_limit_ == 0) {
680    parsed->heap_growth_limit_ = parsed->heap_maximum_size_;
681  }
682
683  return parsed.release();
684}
685
686bool Runtime::Create(const Options& options, bool ignore_unrecognized) {
687  // TODO: acquire a static mutex on Runtime to avoid racing.
688  if (Runtime::instance_ != NULL) {
689    return false;
690  }
691  InitLogging(NULL);  // Calls Locks::Init() as a side effect.
692  instance_ = new Runtime;
693  if (!instance_->Init(options, ignore_unrecognized)) {
694    delete instance_;
695    instance_ = NULL;
696    return false;
697  }
698  return true;
699}
700
701jobject CreateSystemClassLoader() {
702  if (Runtime::Current()->UseCompileTimeClassPath()) {
703    return NULL;
704  }
705
706  ScopedObjectAccess soa(Thread::Current());
707  ClassLinker* cl = Runtime::Current()->GetClassLinker();
708
709  SirtRef<mirror::Class> class_loader_class(
710      soa.Self(), soa.Decode<mirror::Class*>(WellKnownClasses::java_lang_ClassLoader));
711  CHECK(cl->EnsureInitialized(class_loader_class, true, true));
712
713  mirror::ArtMethod* getSystemClassLoader =
714      class_loader_class->FindDirectMethod("getSystemClassLoader", "()Ljava/lang/ClassLoader;");
715  CHECK(getSystemClassLoader != NULL);
716
717  JValue result;
718  ArgArray arg_array(nullptr, 0);
719  InvokeWithArgArray(soa, getSystemClassLoader, &arg_array, &result, 'L');
720  SirtRef<mirror::ClassLoader> class_loader(soa.Self(),
721                                            down_cast<mirror::ClassLoader*>(result.GetL()));
722  CHECK(class_loader.get() != nullptr);
723  JNIEnv* env = soa.Self()->GetJniEnv();
724  ScopedLocalRef<jobject> system_class_loader(env,
725                                              soa.AddLocalReference<jobject>(class_loader.get()));
726  CHECK(system_class_loader.get() != nullptr);
727
728  soa.Self()->SetClassLoaderOverride(class_loader.get());
729
730  SirtRef<mirror::Class> thread_class(soa.Self(),
731                                      soa.Decode<mirror::Class*>(WellKnownClasses::java_lang_Thread));
732  CHECK(cl->EnsureInitialized(thread_class, true, true));
733
734  mirror::ArtField* contextClassLoader =
735      thread_class->FindDeclaredInstanceField("contextClassLoader", "Ljava/lang/ClassLoader;");
736  CHECK(contextClassLoader != NULL);
737
738  contextClassLoader->SetObject(soa.Self()->GetPeer(), class_loader.get());
739
740  return env->NewGlobalRef(system_class_loader.get());
741}
742
743bool Runtime::Start() {
744  VLOG(startup) << "Runtime::Start entering";
745
746  CHECK(host_prefix_.empty()) << host_prefix_;
747
748  // Restore main thread state to kNative as expected by native code.
749  Thread* self = Thread::Current();
750  self->TransitionFromRunnableToSuspended(kNative);
751
752  started_ = true;
753
754  // InitNativeMethods needs to be after started_ so that the classes
755  // it touches will have methods linked to the oat file if necessary.
756  InitNativeMethods();
757
758  // Initialize well known thread group values that may be accessed threads while attaching.
759  InitThreadGroups(self);
760
761  Thread::FinishStartup();
762
763  if (is_zygote_) {
764    if (!InitZygote()) {
765      return false;
766    }
767  } else {
768    DidForkFromZygote();
769  }
770
771  StartDaemonThreads();
772
773  system_class_loader_ = CreateSystemClassLoader();
774
775  self->GetJniEnv()->locals.AssertEmpty();
776
777  VLOG(startup) << "Runtime::Start exiting";
778
779  finished_starting_ = true;
780
781  return true;
782}
783
784void Runtime::EndThreadBirth() EXCLUSIVE_LOCKS_REQUIRED(Locks::runtime_shutdown_lock_) {
785  DCHECK_GT(threads_being_born_, 0U);
786  threads_being_born_--;
787  if (shutting_down_started_ && threads_being_born_ == 0) {
788    shutdown_cond_->Broadcast(Thread::Current());
789  }
790}
791
792// Do zygote-mode-only initialization.
793bool Runtime::InitZygote() {
794  // zygote goes into its own process group
795  setpgid(0, 0);
796
797  // See storage config details at http://source.android.com/tech/storage/
798  // Create private mount namespace shared by all children
799  if (unshare(CLONE_NEWNS) == -1) {
800    PLOG(WARNING) << "Failed to unshare()";
801    return false;
802  }
803
804  // Mark rootfs as being a slave so that changes from default
805  // namespace only flow into our children.
806  if (mount("rootfs", "/", NULL, (MS_SLAVE | MS_REC), NULL) == -1) {
807    PLOG(WARNING) << "Failed to mount() rootfs as MS_SLAVE";
808    return false;
809  }
810
811  // Create a staging tmpfs that is shared by our children; they will
812  // bind mount storage into their respective private namespaces, which
813  // are isolated from each other.
814  const char* target_base = getenv("EMULATED_STORAGE_TARGET");
815  if (target_base != NULL) {
816    if (mount("tmpfs", target_base, "tmpfs", MS_NOSUID | MS_NODEV,
817              "uid=0,gid=1028,mode=0751") == -1) {
818      LOG(WARNING) << "Failed to mount tmpfs to " << target_base;
819      return false;
820    }
821  }
822
823  return true;
824}
825
826void Runtime::DidForkFromZygote() {
827  is_zygote_ = false;
828
829  // Create the thread pool.
830  heap_->CreateThreadPool();
831
832  StartSignalCatcher();
833
834  // Start the JDWP thread. If the command-line debugger flags specified "suspend=y",
835  // this will pause the runtime, so we probably want this to come last.
836  Dbg::StartJdwp();
837}
838
839void Runtime::StartSignalCatcher() {
840  if (!is_zygote_) {
841    signal_catcher_ = new SignalCatcher(stack_trace_file_);
842  }
843}
844
845bool Runtime::IsShuttingDown(Thread* self) {
846  MutexLock mu(self, *Locks::runtime_shutdown_lock_);
847  return IsShuttingDownLocked();
848}
849
850void Runtime::StartDaemonThreads() {
851  VLOG(startup) << "Runtime::StartDaemonThreads entering";
852
853  Thread* self = Thread::Current();
854
855  // Must be in the kNative state for calling native methods.
856  CHECK_EQ(self->GetState(), kNative);
857
858  JNIEnv* env = self->GetJniEnv();
859  env->CallStaticVoidMethod(WellKnownClasses::java_lang_Daemons,
860                            WellKnownClasses::java_lang_Daemons_start);
861  if (env->ExceptionCheck()) {
862    env->ExceptionDescribe();
863    LOG(FATAL) << "Error starting java.lang.Daemons";
864  }
865
866  VLOG(startup) << "Runtime::StartDaemonThreads exiting";
867}
868
869bool Runtime::Init(const Options& raw_options, bool ignore_unrecognized) {
870  CHECK_EQ(sysconf(_SC_PAGE_SIZE), kPageSize);
871
872  UniquePtr<ParsedOptions> options(ParsedOptions::Create(raw_options, ignore_unrecognized));
873  if (options.get() == NULL) {
874    LOG(ERROR) << "Failed to parse options";
875    return false;
876  }
877  VLOG(startup) << "Runtime::Init -verbose:startup enabled";
878
879  QuasiAtomic::Startup();
880
881  Monitor::Init(options->lock_profiling_threshold_, options->hook_is_sensitive_thread_);
882
883  host_prefix_ = options->host_prefix_;
884  boot_class_path_string_ = options->boot_class_path_string_;
885  class_path_string_ = options->class_path_string_;
886  properties_ = options->properties_;
887
888  is_compiler_ = options->is_compiler_;
889  is_zygote_ = options->is_zygote_;
890  is_explicit_gc_disabled_ = options->is_explicit_gc_disabled_;
891
892  compiler_filter_ = options->compiler_filter_;
893  huge_method_threshold_ = options->huge_method_threshold_;
894  large_method_threshold_ = options->large_method_threshold_;
895  small_method_threshold_ = options->small_method_threshold_;
896  tiny_method_threshold_ = options->tiny_method_threshold_;
897  num_dex_methods_threshold_ = options->num_dex_methods_threshold_;
898
899  sea_ir_mode_ = options->sea_ir_mode_;
900  vfprintf_ = options->hook_vfprintf_;
901  exit_ = options->hook_exit_;
902  abort_ = options->hook_abort_;
903
904  default_stack_size_ = options->stack_size_;
905  stack_trace_file_ = options->stack_trace_file_;
906
907  max_spins_before_thin_lock_inflation_ = options->max_spins_before_thin_lock_inflation_;
908
909  monitor_list_ = new MonitorList;
910  thread_list_ = new ThreadList;
911  intern_table_ = new InternTable;
912
913
914  if (options->interpreter_only_) {
915    GetInstrumentation()->ForceInterpretOnly();
916  }
917
918  heap_ = new gc::Heap(options->heap_initial_size_,
919                       options->heap_growth_limit_,
920                       options->heap_min_free_,
921                       options->heap_max_free_,
922                       options->heap_target_utilization_,
923                       options->heap_maximum_size_,
924                       options->image_,
925                       options->collector_type_,
926                       options->parallel_gc_threads_,
927                       options->conc_gc_threads_,
928                       options->low_memory_mode_,
929                       options->long_pause_log_threshold_,
930                       options->long_gc_log_threshold_,
931                       options->ignore_max_footprint_,
932                       options->use_tlab_);
933
934  dump_gc_performance_on_shutdown_ = options->dump_gc_performance_on_shutdown_;
935
936  BlockSignals();
937  InitPlatformSignalHandlers();
938
939  java_vm_ = new JavaVMExt(this, options.get());
940
941  Thread::Startup();
942
943  // ClassLinker needs an attached thread, but we can't fully attach a thread without creating
944  // objects. We can't supply a thread group yet; it will be fixed later. Since we are the main
945  // thread, we do not get a java peer.
946  Thread* self = Thread::Attach("main", false, NULL, false);
947  CHECK_EQ(self->thin_lock_thread_id_, ThreadList::kMainThreadId);
948  CHECK(self != NULL);
949
950  // Set us to runnable so tools using a runtime can allocate and GC by default
951  self->TransitionFromSuspendedToRunnable();
952
953  // Now we're attached, we can take the heap locks and validate the heap.
954  GetHeap()->EnableObjectValidation();
955
956  CHECK_GE(GetHeap()->GetContinuousSpaces().size(), 1U);
957  class_linker_ = new ClassLinker(intern_table_);
958  if (GetHeap()->HasImageSpace()) {
959    class_linker_->InitFromImage();
960  } else {
961    CHECK(options->boot_class_path_ != NULL);
962    CHECK_NE(options->boot_class_path_->size(), 0U);
963    class_linker_->InitFromCompiler(*options->boot_class_path_);
964  }
965  CHECK(class_linker_ != NULL);
966  verifier::MethodVerifier::Init();
967
968  method_trace_ = options->method_trace_;
969  method_trace_file_ = options->method_trace_file_;
970  method_trace_file_size_ = options->method_trace_file_size_;
971
972  if (options->method_trace_) {
973    Trace::Start(options->method_trace_file_.c_str(), -1, options->method_trace_file_size_, 0,
974                 false, false, 0);
975  }
976
977  // Pre-allocate an OutOfMemoryError for the double-OOME case.
978  self->ThrowNewException(ThrowLocation(), "Ljava/lang/OutOfMemoryError;",
979                          "OutOfMemoryError thrown while trying to throw OutOfMemoryError; no stack available");
980  pre_allocated_OutOfMemoryError_ = self->GetException(NULL);
981  self->ClearException();
982
983  VLOG(startup) << "Runtime::Init exiting";
984  return true;
985}
986
987void Runtime::InitNativeMethods() {
988  VLOG(startup) << "Runtime::InitNativeMethods entering";
989  Thread* self = Thread::Current();
990  JNIEnv* env = self->GetJniEnv();
991
992  // Must be in the kNative state for calling native methods (JNI_OnLoad code).
993  CHECK_EQ(self->GetState(), kNative);
994
995  // First set up JniConstants, which is used by both the runtime's built-in native
996  // methods and libcore.
997  JniConstants::init(env);
998  WellKnownClasses::Init(env);
999
1000  // Then set up the native methods provided by the runtime itself.
1001  RegisterRuntimeNativeMethods(env);
1002
1003  // Then set up libcore, which is just a regular JNI library with a regular JNI_OnLoad.
1004  // Most JNI libraries can just use System.loadLibrary, but libcore can't because it's
1005  // the library that implements System.loadLibrary!
1006  {
1007    std::string mapped_name(StringPrintf(OS_SHARED_LIB_FORMAT_STR, "javacore"));
1008    std::string reason;
1009    self->TransitionFromSuspendedToRunnable();
1010    if (!instance_->java_vm_->LoadNativeLibrary(mapped_name, NULL, &reason)) {
1011      LOG(FATAL) << "LoadNativeLibrary failed for \"" << mapped_name << "\": " << reason;
1012    }
1013    self->TransitionFromRunnableToSuspended(kNative);
1014  }
1015
1016  // Initialize well known classes that may invoke runtime native methods.
1017  WellKnownClasses::LateInit(env);
1018
1019  VLOG(startup) << "Runtime::InitNativeMethods exiting";
1020}
1021
1022void Runtime::InitThreadGroups(Thread* self) {
1023  JNIEnvExt* env = self->GetJniEnv();
1024  ScopedJniEnvLocalRefState env_state(env);
1025  main_thread_group_ =
1026      env->NewGlobalRef(env->GetStaticObjectField(WellKnownClasses::java_lang_ThreadGroup,
1027                                                  WellKnownClasses::java_lang_ThreadGroup_mainThreadGroup));
1028  CHECK(main_thread_group_ != NULL || IsCompiler());
1029  system_thread_group_ =
1030      env->NewGlobalRef(env->GetStaticObjectField(WellKnownClasses::java_lang_ThreadGroup,
1031                                                  WellKnownClasses::java_lang_ThreadGroup_systemThreadGroup));
1032  CHECK(system_thread_group_ != NULL || IsCompiler());
1033}
1034
1035jobject Runtime::GetMainThreadGroup() const {
1036  CHECK(main_thread_group_ != NULL || IsCompiler());
1037  return main_thread_group_;
1038}
1039
1040jobject Runtime::GetSystemThreadGroup() const {
1041  CHECK(system_thread_group_ != NULL || IsCompiler());
1042  return system_thread_group_;
1043}
1044
1045jobject Runtime::GetSystemClassLoader() const {
1046  CHECK(system_class_loader_ != NULL || IsCompiler());
1047  return system_class_loader_;
1048}
1049
1050void Runtime::RegisterRuntimeNativeMethods(JNIEnv* env) {
1051#define REGISTER(FN) extern void FN(JNIEnv*); FN(env)
1052  // Register Throwable first so that registration of other native methods can throw exceptions
1053  REGISTER(register_java_lang_Throwable);
1054  REGISTER(register_dalvik_system_DexFile);
1055  REGISTER(register_dalvik_system_VMDebug);
1056  REGISTER(register_dalvik_system_VMRuntime);
1057  REGISTER(register_dalvik_system_VMStack);
1058  REGISTER(register_dalvik_system_Zygote);
1059  REGISTER(register_java_lang_Class);
1060  REGISTER(register_java_lang_DexCache);
1061  REGISTER(register_java_lang_Object);
1062  REGISTER(register_java_lang_Runtime);
1063  REGISTER(register_java_lang_String);
1064  REGISTER(register_java_lang_System);
1065  REGISTER(register_java_lang_Thread);
1066  REGISTER(register_java_lang_VMClassLoader);
1067  REGISTER(register_java_lang_reflect_Array);
1068  REGISTER(register_java_lang_reflect_Constructor);
1069  REGISTER(register_java_lang_reflect_Field);
1070  REGISTER(register_java_lang_reflect_Method);
1071  REGISTER(register_java_lang_reflect_Proxy);
1072  REGISTER(register_java_util_concurrent_atomic_AtomicLong);
1073  REGISTER(register_org_apache_harmony_dalvik_ddmc_DdmServer);
1074  REGISTER(register_org_apache_harmony_dalvik_ddmc_DdmVmInternal);
1075  REGISTER(register_sun_misc_Unsafe);
1076#undef REGISTER
1077}
1078
1079void Runtime::DumpForSigQuit(std::ostream& os) {
1080  GetClassLinker()->DumpForSigQuit(os);
1081  GetInternTable()->DumpForSigQuit(os);
1082  GetJavaVM()->DumpForSigQuit(os);
1083  GetHeap()->DumpForSigQuit(os);
1084  os << "\n";
1085
1086  thread_list_->DumpForSigQuit(os);
1087  BaseMutex::DumpAll(os);
1088}
1089
1090void Runtime::DumpLockHolders(std::ostream& os) {
1091  uint64_t mutator_lock_owner = Locks::mutator_lock_->GetExclusiveOwnerTid();
1092  pid_t thread_list_lock_owner = GetThreadList()->GetLockOwner();
1093  pid_t classes_lock_owner = GetClassLinker()->GetClassesLockOwner();
1094  pid_t dex_lock_owner = GetClassLinker()->GetDexLockOwner();
1095  if ((thread_list_lock_owner | classes_lock_owner | dex_lock_owner) != 0) {
1096    os << "Mutator lock exclusive owner tid: " << mutator_lock_owner << "\n"
1097       << "ThreadList lock owner tid: " << thread_list_lock_owner << "\n"
1098       << "ClassLinker classes lock owner tid: " << classes_lock_owner << "\n"
1099       << "ClassLinker dex lock owner tid: " << dex_lock_owner << "\n";
1100  }
1101}
1102
1103void Runtime::SetStatsEnabled(bool new_state) {
1104  if (new_state == true) {
1105    GetStats()->Clear(~0);
1106    // TODO: wouldn't it make more sense to clear _all_ threads' stats?
1107    Thread::Current()->GetStats()->Clear(~0);
1108    GetInstrumentation()->InstrumentQuickAllocEntryPoints();
1109  } else {
1110    GetInstrumentation()->UninstrumentQuickAllocEntryPoints();
1111  }
1112  stats_enabled_ = new_state;
1113}
1114
1115void Runtime::ResetStats(int kinds) {
1116  GetStats()->Clear(kinds & 0xffff);
1117  // TODO: wouldn't it make more sense to clear _all_ threads' stats?
1118  Thread::Current()->GetStats()->Clear(kinds >> 16);
1119}
1120
1121int32_t Runtime::GetStat(int kind) {
1122  RuntimeStats* stats;
1123  if (kind < (1<<16)) {
1124    stats = GetStats();
1125  } else {
1126    stats = Thread::Current()->GetStats();
1127    kind >>= 16;
1128  }
1129  switch (kind) {
1130  case KIND_ALLOCATED_OBJECTS:
1131    return stats->allocated_objects;
1132  case KIND_ALLOCATED_BYTES:
1133    return stats->allocated_bytes;
1134  case KIND_FREED_OBJECTS:
1135    return stats->freed_objects;
1136  case KIND_FREED_BYTES:
1137    return stats->freed_bytes;
1138  case KIND_GC_INVOCATIONS:
1139    return stats->gc_for_alloc_count;
1140  case KIND_CLASS_INIT_COUNT:
1141    return stats->class_init_count;
1142  case KIND_CLASS_INIT_TIME:
1143    // Convert ns to us, reduce to 32 bits.
1144    return static_cast<int>(stats->class_init_time_ns / 1000);
1145  case KIND_EXT_ALLOCATED_OBJECTS:
1146  case KIND_EXT_ALLOCATED_BYTES:
1147  case KIND_EXT_FREED_OBJECTS:
1148  case KIND_EXT_FREED_BYTES:
1149    return 0;  // backward compatibility
1150  default:
1151    LOG(FATAL) << "Unknown statistic " << kind;
1152    return -1;  // unreachable
1153  }
1154}
1155
1156void Runtime::BlockSignals() {
1157  SignalSet signals;
1158  signals.Add(SIGPIPE);
1159  // SIGQUIT is used to dump the runtime's state (including stack traces).
1160  signals.Add(SIGQUIT);
1161  // SIGUSR1 is used to initiate a GC.
1162  signals.Add(SIGUSR1);
1163  signals.Block();
1164}
1165
1166bool Runtime::AttachCurrentThread(const char* thread_name, bool as_daemon, jobject thread_group,
1167                                  bool create_peer) {
1168  bool success = Thread::Attach(thread_name, as_daemon, thread_group, create_peer) != NULL;
1169  if (thread_name == NULL) {
1170    LOG(WARNING) << *Thread::Current() << " attached without supplying a name";
1171  }
1172  return success;
1173}
1174
1175void Runtime::DetachCurrentThread() {
1176  Thread* self = Thread::Current();
1177  if (self == NULL) {
1178    LOG(FATAL) << "attempting to detach thread that is not attached";
1179  }
1180  if (self->HasManagedStack()) {
1181    LOG(FATAL) << *Thread::Current() << " attempting to detach while still running code";
1182  }
1183  thread_list_->Unregister(self);
1184}
1185
1186  mirror::Throwable* Runtime::GetPreAllocatedOutOfMemoryError() const {
1187  if (pre_allocated_OutOfMemoryError_ == NULL) {
1188    LOG(ERROR) << "Failed to return pre-allocated OOME";
1189  }
1190  return pre_allocated_OutOfMemoryError_;
1191}
1192
1193void Runtime::VisitConcurrentRoots(RootVisitor* visitor, void* arg, bool only_dirty,
1194                                   bool clean_dirty) {
1195  intern_table_->VisitRoots(visitor, arg, only_dirty, clean_dirty);
1196  class_linker_->VisitRoots(visitor, arg, only_dirty, clean_dirty);
1197}
1198
1199void Runtime::VisitNonThreadRoots(RootVisitor* visitor, void* arg) {
1200  // Visit the classes held as static in mirror classes.
1201  mirror::ArtField::VisitRoots(visitor, arg);
1202  mirror::ArtMethod::VisitRoots(visitor, arg);
1203  mirror::Class::VisitRoots(visitor, arg);
1204  mirror::StackTraceElement::VisitRoots(visitor, arg);
1205  mirror::String::VisitRoots(visitor, arg);
1206  mirror::Throwable::VisitRoots(visitor, arg);
1207  // Visit all the primitive array types classes.
1208  mirror::PrimitiveArray<uint8_t>::VisitRoots(visitor, arg);   // BooleanArray
1209  mirror::PrimitiveArray<int8_t>::VisitRoots(visitor, arg);    // ByteArray
1210  mirror::PrimitiveArray<uint16_t>::VisitRoots(visitor, arg);  // CharArray
1211  mirror::PrimitiveArray<double>::VisitRoots(visitor, arg);    // DoubleArray
1212  mirror::PrimitiveArray<float>::VisitRoots(visitor, arg);     // FloatArray
1213  mirror::PrimitiveArray<int32_t>::VisitRoots(visitor, arg);   // IntArray
1214  mirror::PrimitiveArray<int64_t>::VisitRoots(visitor, arg);   // LongArray
1215  mirror::PrimitiveArray<int16_t>::VisitRoots(visitor, arg);   // ShortArray
1216  java_vm_->VisitRoots(visitor, arg);
1217  if (pre_allocated_OutOfMemoryError_ != nullptr) {
1218    pre_allocated_OutOfMemoryError_ = down_cast<mirror::Throwable*>(
1219        visitor(pre_allocated_OutOfMemoryError_, arg));
1220    DCHECK(pre_allocated_OutOfMemoryError_ != nullptr);
1221  }
1222  resolution_method_ = down_cast<mirror::ArtMethod*>(visitor(resolution_method_, arg));
1223  DCHECK(resolution_method_ != nullptr);
1224  if (HasImtConflictMethod()) {
1225    imt_conflict_method_ = down_cast<mirror::ArtMethod*>(visitor(imt_conflict_method_, arg));
1226  }
1227  if (HasDefaultImt()) {
1228    default_imt_ = down_cast<mirror::ObjectArray<mirror::ArtMethod>*>(visitor(default_imt_, arg));
1229  }
1230
1231  for (int i = 0; i < Runtime::kLastCalleeSaveType; i++) {
1232    if (callee_save_methods_[i] != nullptr) {
1233      callee_save_methods_[i] = down_cast<mirror::ArtMethod*>(
1234          visitor(callee_save_methods_[i], arg));
1235    }
1236  }
1237  {
1238    MutexLock mu(Thread::Current(), method_verifiers_lock_);
1239    for (verifier::MethodVerifier* verifier : method_verifiers_) {
1240      verifier->VisitRoots(visitor, arg);
1241    }
1242  }
1243}
1244
1245void Runtime::VisitNonConcurrentRoots(RootVisitor* visitor, void* arg) {
1246  thread_list_->VisitRoots(visitor, arg);
1247  VisitNonThreadRoots(visitor, arg);
1248}
1249
1250void Runtime::VisitRoots(RootVisitor* visitor, void* arg, bool only_dirty, bool clean_dirty) {
1251  VisitConcurrentRoots(visitor, arg, only_dirty, clean_dirty);
1252  VisitNonConcurrentRoots(visitor, arg);
1253}
1254
1255mirror::ObjectArray<mirror::ArtMethod>* Runtime::CreateDefaultImt(ClassLinker* cl) {
1256  Thread* self = Thread::Current();
1257  SirtRef<mirror::ObjectArray<mirror::ArtMethod> > imtable(self, cl->AllocArtMethodArray(self, 64));
1258  mirror::ArtMethod* imt_conflict_method = Runtime::Current()->GetImtConflictMethod();
1259  for (size_t i = 0; i < static_cast<size_t>(imtable->GetLength()); i++) {
1260    imtable->Set(i, imt_conflict_method);
1261  }
1262  return imtable.get();
1263}
1264
1265mirror::ArtMethod* Runtime::CreateImtConflictMethod() {
1266  Thread* self = Thread::Current();
1267  Runtime* r = Runtime::Current();
1268  ClassLinker* cl = r->GetClassLinker();
1269  SirtRef<mirror::ArtMethod> method(self, cl->AllocArtMethod(self));
1270  method->SetDeclaringClass(mirror::ArtMethod::GetJavaLangReflectArtMethod());
1271  // TODO: use a special method for imt conflict method saves
1272  method->SetDexMethodIndex(DexFile::kDexNoIndex);
1273  // When compiling, the code pointer will get set later when the image is loaded.
1274  method->SetEntryPointFromCompiledCode(r->IsCompiler() ? NULL : GetImtConflictTrampoline(cl));
1275  return method.get();
1276}
1277
1278mirror::ArtMethod* Runtime::CreateResolutionMethod() {
1279  Thread* self = Thread::Current();
1280  Runtime* r = Runtime::Current();
1281  ClassLinker* cl = r->GetClassLinker();
1282  SirtRef<mirror::ArtMethod> method(self, cl->AllocArtMethod(self));
1283  method->SetDeclaringClass(mirror::ArtMethod::GetJavaLangReflectArtMethod());
1284  // TODO: use a special method for resolution method saves
1285  method->SetDexMethodIndex(DexFile::kDexNoIndex);
1286  // When compiling, the code pointer will get set later when the image is loaded.
1287  method->SetEntryPointFromCompiledCode(r->IsCompiler() ? NULL : GetResolutionTrampoline(cl));
1288  return method.get();
1289}
1290
1291mirror::ArtMethod* Runtime::CreateCalleeSaveMethod(InstructionSet instruction_set,
1292                                                   CalleeSaveType type) {
1293  Thread* self = Thread::Current();
1294  Runtime* r = Runtime::Current();
1295  ClassLinker* cl = r->GetClassLinker();
1296  SirtRef<mirror::ArtMethod> method(self, cl->AllocArtMethod(self));
1297  method->SetDeclaringClass(mirror::ArtMethod::GetJavaLangReflectArtMethod());
1298  // TODO: use a special method for callee saves
1299  method->SetDexMethodIndex(DexFile::kDexNoIndex);
1300  method->SetEntryPointFromCompiledCode(NULL);
1301  if ((instruction_set == kThumb2) || (instruction_set == kArm)) {
1302    uint32_t ref_spills = (1 << art::arm::R5) | (1 << art::arm::R6)  | (1 << art::arm::R7) |
1303                          (1 << art::arm::R8) | (1 << art::arm::R10) | (1 << art::arm::R11);
1304    uint32_t arg_spills = (1 << art::arm::R1) | (1 << art::arm::R2) | (1 << art::arm::R3);
1305    uint32_t all_spills = (1 << art::arm::R4) | (1 << art::arm::R9);
1306    uint32_t core_spills = ref_spills | (type == kRefsAndArgs ? arg_spills : 0) |
1307                           (type == kSaveAll ? all_spills : 0) | (1 << art::arm::LR);
1308    uint32_t fp_all_spills = (1 << art::arm::S0)  | (1 << art::arm::S1)  | (1 << art::arm::S2) |
1309                             (1 << art::arm::S3)  | (1 << art::arm::S4)  | (1 << art::arm::S5) |
1310                             (1 << art::arm::S6)  | (1 << art::arm::S7)  | (1 << art::arm::S8) |
1311                             (1 << art::arm::S9)  | (1 << art::arm::S10) | (1 << art::arm::S11) |
1312                             (1 << art::arm::S12) | (1 << art::arm::S13) | (1 << art::arm::S14) |
1313                             (1 << art::arm::S15) | (1 << art::arm::S16) | (1 << art::arm::S17) |
1314                             (1 << art::arm::S18) | (1 << art::arm::S19) | (1 << art::arm::S20) |
1315                             (1 << art::arm::S21) | (1 << art::arm::S22) | (1 << art::arm::S23) |
1316                             (1 << art::arm::S24) | (1 << art::arm::S25) | (1 << art::arm::S26) |
1317                             (1 << art::arm::S27) | (1 << art::arm::S28) | (1 << art::arm::S29) |
1318                             (1 << art::arm::S30) | (1 << art::arm::S31);
1319    uint32_t fp_spills = type == kSaveAll ? fp_all_spills : 0;
1320    size_t frame_size = RoundUp((__builtin_popcount(core_spills) /* gprs */ +
1321                                 __builtin_popcount(fp_spills) /* fprs */ +
1322                                 1 /* Method* */) * kPointerSize, kStackAlignment);
1323    method->SetFrameSizeInBytes(frame_size);
1324    method->SetCoreSpillMask(core_spills);
1325    method->SetFpSpillMask(fp_spills);
1326  } else if (instruction_set == kMips) {
1327    uint32_t ref_spills = (1 << art::mips::S2) | (1 << art::mips::S3) | (1 << art::mips::S4) |
1328                          (1 << art::mips::S5) | (1 << art::mips::S6) | (1 << art::mips::S7) |
1329                          (1 << art::mips::GP) | (1 << art::mips::FP);
1330    uint32_t arg_spills = (1 << art::mips::A1) | (1 << art::mips::A2) | (1 << art::mips::A3);
1331    uint32_t all_spills = (1 << art::mips::S0) | (1 << art::mips::S1);
1332    uint32_t core_spills = ref_spills | (type == kRefsAndArgs ? arg_spills : 0) |
1333                           (type == kSaveAll ? all_spills : 0) | (1 << art::mips::RA);
1334    size_t frame_size = RoundUp((__builtin_popcount(core_spills) /* gprs */ +
1335                                (type == kRefsAndArgs ? 0 : 3) + 1 /* Method* */) *
1336                                kPointerSize, kStackAlignment);
1337    method->SetFrameSizeInBytes(frame_size);
1338    method->SetCoreSpillMask(core_spills);
1339    method->SetFpSpillMask(0);
1340  } else if (instruction_set == kX86) {
1341    uint32_t ref_spills = (1 << art::x86::EBP) | (1 << art::x86::ESI) | (1 << art::x86::EDI);
1342    uint32_t arg_spills = (1 << art::x86::ECX) | (1 << art::x86::EDX) | (1 << art::x86::EBX);
1343    uint32_t core_spills = ref_spills | (type == kRefsAndArgs ? arg_spills : 0) |
1344                         (1 << art::x86::kNumberOfCpuRegisters);  // fake return address callee save
1345    size_t frame_size = RoundUp((__builtin_popcount(core_spills) /* gprs */ +
1346                                 1 /* Method* */) * kPointerSize, kStackAlignment);
1347    method->SetFrameSizeInBytes(frame_size);
1348    method->SetCoreSpillMask(core_spills);
1349    method->SetFpSpillMask(0);
1350  } else {
1351    UNIMPLEMENTED(FATAL);
1352  }
1353  return method.get();
1354}
1355
1356void Runtime::DisallowNewSystemWeaks() {
1357  monitor_list_->DisallowNewMonitors();
1358  intern_table_->DisallowNewInterns();
1359  java_vm_->DisallowNewWeakGlobals();
1360}
1361
1362void Runtime::AllowNewSystemWeaks() {
1363  monitor_list_->AllowNewMonitors();
1364  intern_table_->AllowNewInterns();
1365  java_vm_->AllowNewWeakGlobals();
1366}
1367
1368void Runtime::SetCalleeSaveMethod(mirror::ArtMethod* method, CalleeSaveType type) {
1369  DCHECK_LT(static_cast<int>(type), static_cast<int>(kLastCalleeSaveType));
1370  callee_save_methods_[type] = method;
1371}
1372
1373const std::vector<const DexFile*>& Runtime::GetCompileTimeClassPath(jobject class_loader) {
1374  if (class_loader == NULL) {
1375    return GetClassLinker()->GetBootClassPath();
1376  }
1377  CHECK(UseCompileTimeClassPath());
1378  CompileTimeClassPaths::const_iterator it = compile_time_class_paths_.find(class_loader);
1379  CHECK(it != compile_time_class_paths_.end());
1380  return it->second;
1381}
1382
1383void Runtime::SetCompileTimeClassPath(jobject class_loader, std::vector<const DexFile*>& class_path) {
1384  CHECK(!IsStarted());
1385  use_compile_time_class_path_ = true;
1386  compile_time_class_paths_.Put(class_loader, class_path);
1387}
1388
1389void Runtime::AddMethodVerifier(verifier::MethodVerifier* verifier) {
1390  DCHECK(verifier != nullptr);
1391  MutexLock mu(Thread::Current(), method_verifiers_lock_);
1392  method_verifiers_.insert(verifier);
1393}
1394
1395void Runtime::RemoveMethodVerifier(verifier::MethodVerifier* verifier) {
1396  DCHECK(verifier != nullptr);
1397  MutexLock mu(Thread::Current(), method_verifiers_lock_);
1398  auto it = method_verifiers_.find(verifier);
1399  CHECK(it != method_verifiers_.end());
1400  method_verifiers_.erase(it);
1401}
1402
1403}  // namespace art
1404