test-cpu-profiler.cc 130 KB
Newer Older
1
// Copyright 2010 the V8 project authors. All rights reserved.
2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26
// Redistribution and use in source and binary forms, with or without
// modification, are permitted provided that the following conditions are
// met:
//
//     * Redistributions of source code must retain the above copyright
//       notice, this list of conditions and the following disclaimer.
//     * Redistributions in binary form must reproduce the above
//       copyright notice, this list of conditions and the following
//       disclaimer in the documentation and/or other materials provided
//       with the distribution.
//     * Neither the name of Google Inc. nor the names of its
//       contributors may be used to endorse or promote products derived
//       from this software without specific prior written permission.
//
// THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
// "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
// LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
// A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
// OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
// SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
// LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
// DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
// THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
// (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
// OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
27 28 29
//
// Tests of profiles generator and utilities.

30 31 32
#include <limits>
#include <memory>

33
#include "src/init/v8.h"
34 35

#include "include/v8-profiler.h"
36
#include "src/api/api-inl.h"
37
#include "src/base/platform/platform.h"
38
#include "src/codegen/source-position-table.h"
39
#include "src/deoptimizer/deoptimizer.h"
40
#include "src/heap/spaces.h"
41
#include "src/libplatform/default-platform.h"
42
#include "src/logging/log.h"
43
#include "src/objects/objects-inl.h"
44
#include "src/profiler/cpu-profiler-inl.h"
lpy's avatar
lpy committed
45
#include "src/profiler/profiler-listener.h"
46
#include "src/profiler/tracing-cpu-profiler.h"
47
#include "src/utils/utils.h"
48
#include "test/cctest/cctest.h"
49
#include "test/cctest/heap/heap-utils.h"
50
#include "test/cctest/profiler-extension.h"
51

52
#include "include/libplatform/v8-tracing.h"
53
#include "src/libplatform/tracing/trace-event-listener.h"
54 55
#include "src/tracing/trace-event.h"

56
#ifdef V8_USE_PERFETTO
57 58
#include "protos/perfetto/trace/chrome/chrome_trace_event.pb.h"
#include "protos/perfetto/trace/trace.pb.h"
59 60
#endif

61 62 63
namespace v8 {
namespace internal {
namespace test_cpu_profiler {
64

65
// Helper methods
66 67 68 69
static v8::Local<v8::Function> GetFunction(v8::Local<v8::Context> env,
                                           const char* name) {
  return v8::Local<v8::Function>::Cast(
      env->Global()->Get(env, v8_str(name)).ToLocalChecked());
70 71
}

72 73 74 75
static size_t offset(const char* src, const char* substring) {
  const char* it = strstr(src, substring);
  CHECK(it);
  return static_cast<size_t>(it - src);
76 77
}

78 79 80 81 82
template <typename A, typename B>
static int dist(A a, B b) {
  return abs(static_cast<int>(a) - static_cast<int>(b));
}

83 84
static const char* reason(const i::DeoptimizeReason reason) {
  return i::DeoptimizeReasonToString(reason);
loislo's avatar
loislo committed
85 86
}

87
TEST(StartStop) {
88 89
  i::Isolate* isolate = CcTest::i_isolate();
  CpuProfilesCollection profiles(isolate);
90 91
  ProfilerCodeObserver code_observer(isolate);
  ProfileGenerator generator(&profiles, code_observer.code_map());
92
  std::unique_ptr<ProfilerEventsProcessor> processor(
93
      new SamplingEventsProcessor(isolate, &generator, &code_observer,
94 95
                                  v8::base::TimeDelta::FromMicroseconds(100),
                                  true));
96
  CHECK(processor->Start());
97
  processor->StopSynchronously();
98 99
}

100 101
static void EnqueueTickSampleEvent(ProfilerEventsProcessor* proc,
                                   i::Address frame1,
102 103
                                   i::Address frame2 = kNullAddress,
                                   i::Address frame3 = kNullAddress) {
104 105 106 107
  v8::internal::TickSample sample;
  sample.pc = reinterpret_cast<void*>(frame1);
  sample.tos = reinterpret_cast<void*>(frame1);
  sample.frames_count = 0;
108
  if (frame2 != kNullAddress) {
109 110
    sample.stack[0] = reinterpret_cast<void*>(frame2);
    sample.frames_count = 1;
111
  }
112
  if (frame3 != kNullAddress) {
113 114
    sample.stack[1] = reinterpret_cast<void*>(frame3);
    sample.frames_count = 2;
115
  }
116 117
  sample.timestamp = base::TimeTicks::HighResolutionNow();
  proc->AddSample(sample);
118 119
}

120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138
namespace {

class TestSetup {
 public:
  TestSetup()
      : old_flag_prof_browser_mode_(i::FLAG_prof_browser_mode) {
    i::FLAG_prof_browser_mode = false;
  }

  ~TestSetup() {
    i::FLAG_prof_browser_mode = old_flag_prof_browser_mode_;
  }

 private:
  bool old_flag_prof_browser_mode_;
};

}  // namespace

139
i::AbstractCode CreateCode(LocalContext* env) {
140 141 142 143
  static int counter = 0;
  i::EmbeddedVector<char, 256> script;
  i::EmbeddedVector<char, 32> name;

144
  i::SNPrintF(name, "function_%d", ++counter);
145
  const char* name_start = name.begin();
146
  i::SNPrintF(script,
147 148 149 150 151 152
      "function %s() {\n"
           "var counter = 0;\n"
           "for (var i = 0; i < %d; ++i) counter += i;\n"
           "return '%s_' + counter;\n"
       "}\n"
       "%s();\n", name_start, counter, name_start, name_start);
153
  CompileRun(script.begin());
154

155
  i::Handle<i::JSFunction> fun = i::Handle<i::JSFunction>::cast(
156
      v8::Utils::OpenHandle(*GetFunction(env->local(), name_start)));
157
  return fun->abstract_code();
158 159
}

160
TEST(CodeEvents) {
161
  CcTest::InitializeVM();
162
  LocalContext env;
163
  i::Isolate* isolate = CcTest::i_isolate();
164
  i::Factory* factory = isolate->factory();
165
  TestSetup test_setup;
166 167 168

  i::HandleScope scope(isolate);

169 170 171 172
  i::AbstractCode aaa_code = CreateCode(&env);
  i::AbstractCode comment_code = CreateCode(&env);
  i::AbstractCode comment2_code = CreateCode(&env);
  i::AbstractCode moved_code = CreateCode(&env);
173

174
  CpuProfilesCollection* profiles = new CpuProfilesCollection(isolate);
175 176 177
  ProfilerCodeObserver code_observer(isolate);
  ProfileGenerator* generator =
      new ProfileGenerator(profiles, code_observer.code_map());
178
  ProfilerEventsProcessor* processor = new SamplingEventsProcessor(
179 180
      isolate, generator, &code_observer,
      v8::base::TimeDelta::FromMicroseconds(100), true);
181
  CHECK(processor->Start());
182
  ProfilerListener profiler_listener(isolate, processor);
183
  isolate->logger()->AddCodeEventListener(&profiler_listener);
184 185 186

  // Enqueue code creation events.
  const char* aaa_str = "aaa";
187
  i::Handle<i::String> aaa_name = factory->NewStringFromAsciiChecked(aaa_str);
lpy's avatar
lpy committed
188 189 190 191 192 193
  profiler_listener.CodeCreateEvent(i::Logger::FUNCTION_TAG, aaa_code,
                                    *aaa_name);
  profiler_listener.CodeCreateEvent(i::Logger::BUILTIN_TAG, comment_code,
                                    "comment");
  profiler_listener.CodeCreateEvent(i::Logger::BUILTIN_TAG, comment2_code,
                                    "comment2");
194
  profiler_listener.CodeMoveEvent(comment2_code, moved_code);
195

196
  // Enqueue a tick event to enable code events processing.
197
  EnqueueTickSampleEvent(processor, aaa_code.InstructionStart());
198

199
  isolate->logger()->RemoveCodeEventListener(&profiler_listener);
200
  processor->StopSynchronously();
201 202

  // Check the state of profile generator.
203
  CodeEntry* aaa =
204
      generator->code_map()->FindEntry(aaa_code.InstructionStart());
205
  CHECK(aaa);
206
  CHECK_EQ(0, strcmp(aaa_str, aaa->name()));
207

208
  CodeEntry* comment =
209
      generator->code_map()->FindEntry(comment_code.InstructionStart());
210
  CHECK(comment);
211
  CHECK_EQ(0, strcmp("comment", comment->name()));
212

213
  CHECK(!generator->code_map()->FindEntry(comment2_code.InstructionStart()));
214

215
  CodeEntry* comment2 =
216
      generator->code_map()->FindEntry(moved_code.InstructionStart());
217
  CHECK(comment2);
218
  CHECK_EQ(0, strcmp("comment2", comment2->name()));
219 220 221 222 223 224 225 226
}

template<typename T>
static int CompareProfileNodes(const T* p1, const T* p2) {
  return strcmp((*p1)->entry()->name(), (*p2)->entry()->name());
}

TEST(TickEvents) {
227
  TestSetup test_setup;
228
  LocalContext env;
229
  i::Isolate* isolate = CcTest::i_isolate();
230 231
  i::HandleScope scope(isolate);

232 233 234
  i::AbstractCode frame1_code = CreateCode(&env);
  i::AbstractCode frame2_code = CreateCode(&env);
  i::AbstractCode frame3_code = CreateCode(&env);
235

236
  CpuProfilesCollection* profiles = new CpuProfilesCollection(isolate);
237 238 239
  ProfilerCodeObserver code_observer(isolate);
  ProfileGenerator* generator =
      new ProfileGenerator(profiles, code_observer.code_map());
240
  ProfilerEventsProcessor* processor = new SamplingEventsProcessor(
241
      CcTest::i_isolate(), generator, &code_observer,
242
      v8::base::TimeDelta::FromMicroseconds(100), true);
243 244
  CpuProfiler profiler(isolate, kDebugNaming, kLazyLogging, profiles, generator,
                       processor);
245
  profiles->StartProfiling("");
246
  CHECK(processor->Start());
247
  ProfilerListener profiler_listener(isolate, processor);
248
  isolate->logger()->AddCodeEventListener(&profiler_listener);
249

lpy's avatar
lpy committed
250
  profiler_listener.CodeCreateEvent(i::Logger::BUILTIN_TAG, frame1_code, "bbb");
251
  profiler_listener.CodeCreateEvent(i::Logger::STUB_TAG, frame2_code, "ccc");
lpy's avatar
lpy committed
252
  profiler_listener.CodeCreateEvent(i::Logger::BUILTIN_TAG, frame3_code, "ddd");
253

254
  EnqueueTickSampleEvent(processor, frame1_code.raw_instruction_start());
255
  EnqueueTickSampleEvent(
256
      processor,
257 258 259 260 261
      frame2_code.raw_instruction_start() + frame2_code.ExecutableSize() / 2,
      frame1_code.raw_instruction_start() + frame1_code.ExecutableSize() / 2);
  EnqueueTickSampleEvent(processor, frame3_code.raw_instruction_end() - 1,
                         frame2_code.raw_instruction_end() - 1,
                         frame1_code.raw_instruction_end() - 1);
262

263
  isolate->logger()->RemoveCodeEventListener(&profiler_listener);
264
  processor->StopSynchronously();
265
  CpuProfile* profile = profiles->StopProfiling("");
266
  CHECK(profile);
267 268

  // Check call trees.
269
  const std::vector<ProfileNode*>* top_down_root_children =
270
      profile->top_down()->root()->children();
271 272 273 274 275
  CHECK_EQ(1, top_down_root_children->size());
  CHECK_EQ(0, strcmp("bbb", top_down_root_children->back()->entry()->name()));
  const std::vector<ProfileNode*>* top_down_bbb_children =
      top_down_root_children->back()->children();
  CHECK_EQ(1, top_down_bbb_children->size());
276
  CHECK_EQ(0, strcmp("ccc", top_down_bbb_children->back()->entry()->name()));
277 278 279 280 281 282 283
  const std::vector<ProfileNode*>* top_down_stub_children =
      top_down_bbb_children->back()->children();
  CHECK_EQ(1, top_down_stub_children->size());
  CHECK_EQ(0, strcmp("ddd", top_down_stub_children->back()->entry()->name()));
  const std::vector<ProfileNode*>* top_down_ddd_children =
      top_down_stub_children->back()->children();
  CHECK(top_down_ddd_children->empty());
284
}
285

286 287 288
// http://crbug/51594
// This test must not crash.
TEST(CrashIfStoppingLastNonExistentProfile) {
289
  CcTest::InitializeVM();
290
  TestSetup test_setup;
291
  std::unique_ptr<CpuProfiler> profiler(new CpuProfiler(CcTest::i_isolate()));
292 293 294 295
  profiler->StartProfiling("1");
  profiler->StopProfiling("2");
  profiler->StartProfiling("1");
  profiler->StopProfiling("");
296 297
}

298 299 300 301
// http://code.google.com/p/v8/issues/detail?id=1398
// Long stacks (exceeding max frames limit) must not be erased.
TEST(Issue1398) {
  TestSetup test_setup;
302
  LocalContext env;
303
  i::Isolate* isolate = CcTest::i_isolate();
304 305
  i::HandleScope scope(isolate);

306
  i::AbstractCode code = CreateCode(&env);
307

308
  CpuProfilesCollection* profiles = new CpuProfilesCollection(isolate);
309 310 311
  ProfilerCodeObserver code_observer(isolate);
  ProfileGenerator* generator =
      new ProfileGenerator(profiles, code_observer.code_map());
312
  ProfilerEventsProcessor* processor = new SamplingEventsProcessor(
313
      CcTest::i_isolate(), generator, &code_observer,
314
      v8::base::TimeDelta::FromMicroseconds(100), true);
315 316
  CpuProfiler profiler(isolate, kDebugNaming, kLazyLogging, profiles, generator,
                       processor);
317
  profiles->StartProfiling("");
318
  CHECK(processor->Start());
319
  ProfilerListener profiler_listener(isolate, processor);
320

lpy's avatar
lpy committed
321
  profiler_listener.CodeCreateEvent(i::Logger::BUILTIN_TAG, code, "bbb");
322

323
  v8::internal::TickSample sample;
324
  sample.pc = reinterpret_cast<void*>(code.InstructionStart());
325
  sample.tos = nullptr;
326
  sample.frames_count = TickSample::kMaxFramesCount;
327
  for (unsigned i = 0; i < sample.frames_count; ++i) {
328
    sample.stack[i] = reinterpret_cast<void*>(code.InstructionStart());
329
  }
330 331
  sample.timestamp = base::TimeTicks::HighResolutionNow();
  processor->AddSample(sample);
332

333
  processor->StopSynchronously();
334
  CpuProfile* profile = profiles->StopProfiling("");
335
  CHECK(profile);
336

337
  unsigned actual_depth = 0;
338
  const ProfileNode* node = profile->top_down()->root();
339 340
  while (!node->children()->empty()) {
    node = node->children()->back();
341 342 343
    ++actual_depth;
  }

344
  CHECK_EQ(1 + TickSample::kMaxFramesCount, actual_depth);  // +1 for PC.
345 346
}

347
TEST(DeleteAllCpuProfiles) {
348
  CcTest::InitializeVM();
349
  TestSetup test_setup;
350
  std::unique_ptr<CpuProfiler> profiler(new CpuProfiler(CcTest::i_isolate()));
351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366
  CHECK_EQ(0, profiler->GetProfilesCount());
  profiler->DeleteAllProfiles();
  CHECK_EQ(0, profiler->GetProfilesCount());

  profiler->StartProfiling("1");
  profiler->StopProfiling("1");
  CHECK_EQ(1, profiler->GetProfilesCount());
  profiler->DeleteAllProfiles();
  CHECK_EQ(0, profiler->GetProfilesCount());
  profiler->StartProfiling("1");
  profiler->StartProfiling("2");
  profiler->StopProfiling("2");
  profiler->StopProfiling("1");
  CHECK_EQ(2, profiler->GetProfilesCount());
  profiler->DeleteAllProfiles();
  CHECK_EQ(0, profiler->GetProfilesCount());
367 368

  // Test profiling cancellation by the 'delete' command.
369 370 371 372 373
  profiler->StartProfiling("1");
  profiler->StartProfiling("2");
  CHECK_EQ(0, profiler->GetProfilesCount());
  profiler->DeleteAllProfiles();
  CHECK_EQ(0, profiler->GetProfilesCount());
374 375 376
}


377 378 379 380 381 382
static bool FindCpuProfile(v8::CpuProfiler* v8profiler,
                           const v8::CpuProfile* v8profile) {
  i::CpuProfiler* profiler = reinterpret_cast<i::CpuProfiler*>(v8profiler);
  const i::CpuProfile* profile =
      reinterpret_cast<const i::CpuProfile*>(v8profile);
  int length = profiler->GetProfilesCount();
383
  for (int i = 0; i < length; i++) {
384 385
    if (profile == profiler->GetProfile(i))
      return true;
386
  }
387
  return false;
388 389 390
}


391 392
TEST(DeleteCpuProfile) {
  LocalContext env;
393
  v8::HandleScope scope(env->GetIsolate());
394
  v8::CpuProfiler* cpu_profiler = v8::CpuProfiler::New(env->GetIsolate());
395
  i::CpuProfiler* iprofiler = reinterpret_cast<i::CpuProfiler*>(cpu_profiler);
396

397
  CHECK_EQ(0, iprofiler->GetProfilesCount());
398
  v8::Local<v8::String> name1 = v8_str("1");
399 400
  cpu_profiler->StartProfiling(name1);
  v8::CpuProfile* p1 = cpu_profiler->StopProfiling(name1);
401
  CHECK(p1);
402 403
  CHECK_EQ(1, iprofiler->GetProfilesCount());
  CHECK(FindCpuProfile(cpu_profiler, p1));
404
  p1->Delete();
405
  CHECK_EQ(0, iprofiler->GetProfilesCount());
406

407
  v8::Local<v8::String> name2 = v8_str("2");
408 409
  cpu_profiler->StartProfiling(name2);
  v8::CpuProfile* p2 = cpu_profiler->StopProfiling(name2);
410
  CHECK(p2);
411 412
  CHECK_EQ(1, iprofiler->GetProfilesCount());
  CHECK(FindCpuProfile(cpu_profiler, p2));
413
  v8::Local<v8::String> name3 = v8_str("3");
414 415
  cpu_profiler->StartProfiling(name3);
  v8::CpuProfile* p3 = cpu_profiler->StopProfiling(name3);
416
  CHECK(p3);
417 418 419 420
  CHECK_EQ(2, iprofiler->GetProfilesCount());
  CHECK_NE(p2, p3);
  CHECK(FindCpuProfile(cpu_profiler, p3));
  CHECK(FindCpuProfile(cpu_profiler, p2));
421
  p2->Delete();
422 423 424
  CHECK_EQ(1, iprofiler->GetProfilesCount());
  CHECK(!FindCpuProfile(cpu_profiler, p2));
  CHECK(FindCpuProfile(cpu_profiler, p3));
425
  p3->Delete();
426
  CHECK_EQ(0, iprofiler->GetProfilesCount());
427
  cpu_profiler->Dispose();
428 429 430
}


431 432 433
TEST(ProfileStartEndTime) {
  LocalContext env;
  v8::HandleScope scope(env->GetIsolate());
434
  v8::CpuProfiler* cpu_profiler = v8::CpuProfiler::New(env->GetIsolate());
435

436
  v8::Local<v8::String> profile_name = v8_str("test");
437 438
  cpu_profiler->StartProfiling(profile_name);
  const v8::CpuProfile* profile = cpu_profiler->StopProfiling(profile_name);
439
  CHECK(profile->GetStartTime() <= profile->GetEndTime());
440
  cpu_profiler->Dispose();
441 442
}

443 444 445 446 447 448 449 450 451 452 453 454
class ProfilerHelper {
 public:
  explicit ProfilerHelper(const v8::Local<v8::Context>& context)
      : context_(context),
        profiler_(v8::CpuProfiler::New(context->GetIsolate())) {
    i::ProfilerExtension::set_profiler(profiler_);
  }
  ~ProfilerHelper() {
    i::ProfilerExtension::set_profiler(static_cast<CpuProfiler*>(nullptr));
    profiler_->Dispose();
  }

455
  using ProfilingMode = v8::CpuProfilingMode;
456

457 458 459 460
  v8::CpuProfile* Run(
      v8::Local<v8::Function> function, v8::Local<v8::Value> argv[], int argc,
      unsigned min_js_samples = 0, unsigned min_external_samples = 0,
      ProfilingMode mode = ProfilingMode::kLeafNodeLineNumbers,
461 462
      unsigned max_samples = v8::CpuProfilingOptions::kNoSampleLimit,
      v8::Local<v8::Context> context = v8::Local<v8::Context>());
463 464 465 466 467 468 469 470 471 472 473 474

  v8::CpuProfiler* profiler() { return profiler_; }

 private:
  v8::Local<v8::Context> context_;
  v8::CpuProfiler* profiler_;
};

v8::CpuProfile* ProfilerHelper::Run(v8::Local<v8::Function> function,
                                    v8::Local<v8::Value> argv[], int argc,
                                    unsigned min_js_samples,
                                    unsigned min_external_samples,
475 476
                                    ProfilingMode mode, unsigned max_samples,
                                    v8::Local<v8::Context> context) {
477
  v8::Local<v8::String> profile_name = v8_str("my_profile");
478

479
  profiler_->SetSamplingInterval(100);
480
  profiler_->StartProfiling(profile_name, {mode, max_samples, 0, context});
481

482 483
  v8::internal::CpuProfiler* iprofiler =
      reinterpret_cast<v8::internal::CpuProfiler*>(profiler_);
484 485 486
  v8::sampler::Sampler* sampler =
      reinterpret_cast<i::SamplingEventsProcessor*>(iprofiler->processor())
          ->sampler();
487
  sampler->StartCountingSamples();
488

489
  do {
490
    function->Call(context_, context_->Global(), argc, argv).ToLocalChecked();
491 492
  } while (sampler->js_sample_count() < min_js_samples ||
           sampler->external_sample_count() < min_external_samples);
493

494
  v8::CpuProfile* profile = profiler_->StopProfiling(profile_name);
495

496
  CHECK(profile);
497
  // Dump collected profile to have a better diagnostic in case of failure.
498
  reinterpret_cast<i::CpuProfile*>(profile)->Print();
499 500 501 502

  return profile;
}

503 504 505 506 507 508 509
static unsigned TotalHitCount(const v8::CpuProfileNode* node) {
  unsigned hit_count = node->GetHitCount();
  for (int i = 0, count = node->GetChildrenCount(); i < count; ++i)
    hit_count += TotalHitCount(node->GetChild(i));
  return hit_count;
}

510 511
static const v8::CpuProfileNode* FindChild(v8::Local<v8::Context> context,
                                           const v8::CpuProfileNode* node,
512 513
                                           const char* name) {
  int count = node->GetChildrenCount();
alph's avatar
alph committed
514
  v8::Local<v8::String> name_handle = v8_str(name);
515 516
  for (int i = 0; i < count; i++) {
    const v8::CpuProfileNode* child = node->GetChild(i);
alph's avatar
alph committed
517
    if (name_handle->Equals(context, child->GetFunctionName()).FromJust()) {
518 519
      return child;
    }
520
  }
521
  return nullptr;
522 523
}

524 525 526 527 528 529 530 531 532 533
static const v8::CpuProfileNode* FindChild(const v8::CpuProfileNode* node,
                                           const char* name) {
  for (int i = 0, count = node->GetChildrenCount(); i < count; ++i) {
    const v8::CpuProfileNode* child = node->GetChild(i);
    if (strcmp(child->GetFunctionNameStr(), name) == 0) {
      return child;
    }
  }
  return nullptr;
}
534

535 536
static const v8::CpuProfileNode* GetChild(v8::Local<v8::Context> context,
                                          const v8::CpuProfileNode* node,
537
                                          const char* name) {
538
  const v8::CpuProfileNode* result = FindChild(context, node, name);
539
  if (!result) FATAL("Failed to GetChild: %s", name);
540 541 542
  return result;
}

543 544
static void CheckSimpleBranch(v8::Local<v8::Context> context,
                              const v8::CpuProfileNode* node,
545 546 547
                              const char* names[], int length) {
  for (int i = 0; i < length; i++) {
    const char* name = names[i];
548
    node = GetChild(context, node, name);
549 550 551
  }
}

552 553
static const ProfileNode* GetSimpleBranch(v8::Local<v8::Context> context,
                                          v8::CpuProfile* profile,
loislo's avatar
loislo committed
554 555
                                          const char* names[], int length) {
  const v8::CpuProfileNode* node = profile->GetTopDownRoot();
556
  for (int i = 0; i < length; i++) {
557
    node = GetChild(context, node, names[i]);
558
  }
loislo's avatar
loislo committed
559
  return reinterpret_cast<const ProfileNode*>(node);
560 561
}

562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 596
struct NameLinePair {
  const char* name;
  int line_number;
};

static const v8::CpuProfileNode* FindChild(const v8::CpuProfileNode* node,
                                           NameLinePair pair) {
  for (int i = 0, count = node->GetChildrenCount(); i < count; ++i) {
    const v8::CpuProfileNode* child = node->GetChild(i);
    // The name and line number must match, or if the requested line number was
    // -1, then match any function of the same name.
    if (strcmp(child->GetFunctionNameStr(), pair.name) == 0 &&
        (child->GetLineNumber() == pair.line_number ||
         pair.line_number == -1)) {
      return child;
    }
  }
  return nullptr;
}

static const v8::CpuProfileNode* GetChild(const v8::CpuProfileNode* node,
                                          NameLinePair pair) {
  const v8::CpuProfileNode* result = FindChild(node, pair);
  if (!result) FATAL("Failed to GetChild: %s:%d", pair.name, pair.line_number);
  return result;
}

static void CheckBranch(const v8::CpuProfileNode* node, NameLinePair path[],
                        int length) {
  for (int i = 0; i < length; i++) {
    NameLinePair pair = path[i];
    node = GetChild(node, pair);
  }
}

alph's avatar
alph committed
597 598 599 600 601 602 603 604 605 606 607 608 609 610 611 612 613 614 615 616 617 618 619 620 621 622 623 624 625 626 627 628 629
static const char* cpu_profiler_test_source =
    "%NeverOptimizeFunction(loop);\n"
    "%NeverOptimizeFunction(delay);\n"
    "%NeverOptimizeFunction(bar);\n"
    "%NeverOptimizeFunction(baz);\n"
    "%NeverOptimizeFunction(foo);\n"
    "%NeverOptimizeFunction(start);\n"
    "function loop(timeout) {\n"
    "  this.mmm = 0;\n"
    "  var start = Date.now();\n"
    "  do {\n"
    "    var n = 1000;\n"
    "    while(n > 1) {\n"
    "      n--;\n"
    "      this.mmm += n * n * n;\n"
    "    }\n"
    "  } while (Date.now() - start < timeout);\n"
    "}\n"
    "function delay() { loop(10); }\n"
    "function bar() { delay(); }\n"
    "function baz() { delay(); }\n"
    "function foo() {\n"
    "  delay();\n"
    "  bar();\n"
    "  delay();\n"
    "  baz();\n"
    "}\n"
    "function start(duration) {\n"
    "  var start = Date.now();\n"
    "  do {\n"
    "    foo();\n"
    "  } while (Date.now() - start < duration);\n"
    "}\n";
630 631 632 633 634 635 636 637 638 639 640 641 642 643 644 645 646 647 648

// Check that the profile tree for the script above will look like the
// following:
//
// [Top down]:
//  1062     0   (root) [-1]
//  1054     0    start [-1]
//  1054     1      foo [-1]
//   265     0        baz [-1]
//   265     1          delay [-1]
//   264   264            loop [-1]
//   525     3        delay [-1]
//   522   522          loop [-1]
//   263     0        bar [-1]
//   263     1          delay [-1]
//   262   262            loop [-1]
//     2     2    (program) [-1]
//     6     6    (garbage collector) [-1]
TEST(CollectCpuProfile) {
alph's avatar
alph committed
649
  i::FLAG_allow_natives_syntax = true;
650 651 652
  LocalContext env;
  v8::HandleScope scope(env->GetIsolate());

653
  CompileRun(cpu_profiler_test_source);
654
  v8::Local<v8::Function> function = GetFunction(env.local(), "start");
655

656
  int32_t profiling_interval_ms = 200;
657 658
  v8::Local<v8::Value> args[] = {
      v8::Integer::New(env->GetIsolate(), profiling_interval_ms)};
659 660
  ProfilerHelper helper(env.local());
  v8::CpuProfile* profile = helper.Run(function, args, arraysize(args), 1000);
661 662

  const v8::CpuProfileNode* root = profile->GetTopDownRoot();
alph's avatar
alph committed
663 664
  const v8::CpuProfileNode* start_node = GetChild(env.local(), root, "start");
  const v8::CpuProfileNode* foo_node = GetChild(env.local(), start_node, "foo");
665

alph's avatar
alph committed
666 667 668 669 670 671 672
  const char* bar_branch[] = {"bar", "delay", "loop"};
  CheckSimpleBranch(env.local(), foo_node, bar_branch, arraysize(bar_branch));
  const char* baz_branch[] = {"baz", "delay", "loop"};
  CheckSimpleBranch(env.local(), foo_node, baz_branch, arraysize(baz_branch));
  const char* delay_branch[] = {"delay", "loop"};
  CheckSimpleBranch(env.local(), foo_node, delay_branch,
                    arraysize(delay_branch));
673

674
  profile->Delete();
675
}
676

677 678 679 680 681 682 683 684 685 686 687 688
TEST(CollectCpuProfileCallerLineNumbers) {
  i::FLAG_allow_natives_syntax = true;
  LocalContext env;
  v8::HandleScope scope(env->GetIsolate());

  CompileRun(cpu_profiler_test_source);
  v8::Local<v8::Function> function = GetFunction(env.local(), "start");

  int32_t profiling_interval_ms = 200;
  v8::Local<v8::Value> args[] = {
      v8::Integer::New(env->GetIsolate(), profiling_interval_ms)};
  ProfilerHelper helper(env.local());
689 690
  helper.Run(function, args, arraysize(args), 1000, 0,
             v8::CpuProfilingMode::kCallerLineNumbers, 0);
691
  v8::CpuProfile* profile =
692 693
      helper.Run(function, args, arraysize(args), 1000, 0,
                 v8::CpuProfilingMode::kCallerLineNumbers, 0);
694 695 696 697 698 699 700 701 702 703 704 705 706 707 708 709 710

  const v8::CpuProfileNode* root = profile->GetTopDownRoot();
  const v8::CpuProfileNode* start_node = GetChild(root, {"start", 27});
  const v8::CpuProfileNode* foo_node = GetChild(start_node, {"foo", 30});

  NameLinePair bar_branch[] = {{"bar", 23}, {"delay", 19}, {"loop", 18}};
  CheckBranch(foo_node, bar_branch, arraysize(bar_branch));
  NameLinePair baz_branch[] = {{"baz", 25}, {"delay", 20}, {"loop", 18}};
  CheckBranch(foo_node, baz_branch, arraysize(baz_branch));
  NameLinePair delay_at22_branch[] = {{"delay", 22}, {"loop", 18}};
  CheckBranch(foo_node, delay_at22_branch, arraysize(delay_at22_branch));
  NameLinePair delay_at24_branch[] = {{"delay", 24}, {"loop", 18}};
  CheckBranch(foo_node, delay_at24_branch, arraysize(delay_at24_branch));

  profile->Delete();
}

711
static const char* hot_deopt_no_frame_entry_test_source =
alph's avatar
alph committed
712 713 714 715 716 717 718 719 720 721 722 723 724
    "%NeverOptimizeFunction(foo);\n"
    "%NeverOptimizeFunction(start);\n"
    "function foo(a, b) {\n"
    "  return a + b;\n"
    "}\n"
    "function start(timeout) {\n"
    "  var start = Date.now();\n"
    "  do {\n"
    "    for (var i = 1; i < 1000; ++i) foo(1, i);\n"
    "    var duration = Date.now() - start;\n"
    "  } while (duration < timeout);\n"
    "  return duration;\n"
    "}\n";
725 726 727 728 729 730 731 732 733 734 735

// Check that the profile tree for the script above will look like the
// following:
//
// [Top down]:
//  1062     0  (root) [-1]
//  1054     0    start [-1]
//  1054     1      foo [-1]
//     2     2    (program) [-1]
//     6     6    (garbage collector) [-1]
//
736
// The test checks no FP ranges are present in a deoptimized function.
737 738 739
// If 'foo' has no ranges the samples falling into the prologue will miss the
// 'start' function on the stack, so 'foo' will be attached to the (root).
TEST(HotDeoptNoFrameEntry) {
alph's avatar
alph committed
740
  i::FLAG_allow_natives_syntax = true;
741 742 743
  LocalContext env;
  v8::HandleScope scope(env->GetIsolate());

744
  CompileRun(hot_deopt_no_frame_entry_test_source);
745
  v8::Local<v8::Function> function = GetFunction(env.local(), "start");
746 747

  int32_t profiling_interval_ms = 200;
748 749
  v8::Local<v8::Value> args[] = {
      v8::Integer::New(env->GetIsolate(), profiling_interval_ms)};
750 751
  ProfilerHelper helper(env.local());
  v8::CpuProfile* profile = helper.Run(function, args, arraysize(args), 1000);
752 753
  function->Call(env.local(), env->Global(), arraysize(args), args)
      .ToLocalChecked();
754 755

  const v8::CpuProfileNode* root = profile->GetTopDownRoot();
alph's avatar
alph committed
756 757
  const v8::CpuProfileNode* start_node = GetChild(env.local(), root, "start");
  GetChild(env.local(), start_node, "foo");
758 759 760 761

  profile->Delete();
}

762
TEST(CollectCpuProfileSamples) {
alph's avatar
alph committed
763
  i::FLAG_allow_natives_syntax = true;
764 765 766
  LocalContext env;
  v8::HandleScope scope(env->GetIsolate());

767
  CompileRun(cpu_profiler_test_source);
768
  v8::Local<v8::Function> function = GetFunction(env.local(), "start");
769 770

  int32_t profiling_interval_ms = 200;
771 772
  v8::Local<v8::Value> args[] = {
      v8::Integer::New(env->GetIsolate(), profiling_interval_ms)};
773
  ProfilerHelper helper(env.local());
774
  v8::CpuProfile* profile =
775
      helper.Run(function, args, arraysize(args), 1000, 0);
776 777 778 779 780 781

  CHECK_LE(200, profile->GetSamplesCount());
  uint64_t end_time = profile->GetEndTime();
  uint64_t current_time = profile->GetStartTime();
  CHECK_LE(current_time, end_time);
  for (int i = 0; i < profile->GetSamplesCount(); i++) {
782
    CHECK(profile->GetSample(i));
783 784 785 786 787 788 789 790 791
    uint64_t timestamp = profile->GetSampleTimestamp(i);
    CHECK_LE(current_time, timestamp);
    CHECK_LE(timestamp, end_time);
    current_time = timestamp;
  }

  profile->Delete();
}

alph's avatar
alph committed
792 793 794 795 796 797 798 799 800 801 802 803
static const char* cpu_profiler_test_source2 =
    "%NeverOptimizeFunction(loop);\n"
    "%NeverOptimizeFunction(delay);\n"
    "%NeverOptimizeFunction(start);\n"
    "function loop() {}\n"
    "function delay() { loop(); }\n"
    "function start(duration) {\n"
    "  var start = Date.now();\n"
    "  do {\n"
    "    for (var i = 0; i < 10000; ++i) delay();\n"
    "  } while (Date.now() - start < duration);\n"
    "}";
804

805
// Check that the profile tree doesn't contain unexpected traces:
806 807 808 809 810 811 812 813 814 815 816
//  - 'loop' can be called only by 'delay'
//  - 'delay' may be called only by 'start'
// The profile will look like the following:
//
// [Top down]:
//   135     0   (root) [-1] #1
//   121    72    start [-1] #3
//    49    33      delay [-1] #4
//    16    16        loop [-1] #5
//    14    14    (program) [-1] #2
TEST(SampleWhenFrameIsNotSetup) {
alph's avatar
alph committed
817
  i::FLAG_allow_natives_syntax = true;
818 819 820
  LocalContext env;
  v8::HandleScope scope(env->GetIsolate());

821
  CompileRun(cpu_profiler_test_source2);
822
  v8::Local<v8::Function> function = GetFunction(env.local(), "start");
823

alph's avatar
alph committed
824
  int32_t duration_ms = 100;
825
  v8::Local<v8::Value> args[] = {
alph's avatar
alph committed
826
      v8::Integer::New(env->GetIsolate(), duration_ms)};
827 828
  ProfilerHelper helper(env.local());
  v8::CpuProfile* profile = helper.Run(function, args, arraysize(args), 1000);
829 830

  const v8::CpuProfileNode* root = profile->GetTopDownRoot();
alph's avatar
alph committed
831 832 833 834
  const v8::CpuProfileNode* start_node = GetChild(env.local(), root, "start");
  const v8::CpuProfileNode* delay_node =
      GetChild(env.local(), start_node, "delay");
  GetChild(env.local(), delay_node, "loop");
835

836
  profile->Delete();
837
}
838 839 840 841 842 843 844 845

static const char* native_accessor_test_source = "function start(count) {\n"
"  for (var i = 0; i < count; i++) {\n"
"    var o = instance.foo;\n"
"    instance.foo = o + 1;\n"
"  }\n"
"}\n";

846
class TestApiCallbacks {
847
 public:
848
  explicit TestApiCallbacks(int min_duration_ms)
849
      : min_duration_ms_(min_duration_ms),
850
        is_warming_up_(false) {}
851

852 853
  static void Getter(v8::Local<v8::String> name,
                     const v8::PropertyCallbackInfo<v8::Value>& info) {
alph's avatar
alph committed
854
    TestApiCallbacks* data = FromInfo(info);
855
    data->Wait();
856 857 858 859
  }

  static void Setter(v8::Local<v8::String> name,
                     v8::Local<v8::Value> value,
860
                     const v8::PropertyCallbackInfo<void>& info) {
alph's avatar
alph committed
861
    TestApiCallbacks* data = FromInfo(info);
862 863 864 865
    data->Wait();
  }

  static void Callback(const v8::FunctionCallbackInfo<v8::Value>& info) {
alph's avatar
alph committed
866
    TestApiCallbacks* data = FromInfo(info);
867
    data->Wait();
868 869
  }

870
  void set_warming_up(bool value) { is_warming_up_ = value; }
871 872

 private:
873 874
  void Wait() {
    if (is_warming_up_) return;
875 876
    v8::Platform* platform = v8::internal::V8::GetCurrentPlatform();
    double start = platform->CurrentClockTimeMillis();
877 878
    double duration = 0;
    while (duration < min_duration_ms_) {
879
      v8::base::OS::Sleep(v8::base::TimeDelta::FromMilliseconds(1));
880
      duration = platform->CurrentClockTimeMillis() - start;
881 882 883
    }
  }

alph's avatar
alph committed
884 885
  template <typename T>
  static TestApiCallbacks* FromInfo(const T& info) {
886
    void* data = v8::External::Cast(*info.Data())->Value();
887
    return reinterpret_cast<TestApiCallbacks*>(data);
888 889 890
  }

  int min_duration_ms_;
891
  bool is_warming_up_;
892 893 894 895 896 897 898
};


// Test that native accessors are properly reported in the CPU profile.
// This test checks the case when the long-running accessors are called
// only once and the optimizer doesn't have chance to change the invocation
// code.
899
TEST(NativeAccessorUninitializedIC) {
900
  LocalContext env;
901 902
  v8::Isolate* isolate = env->GetIsolate();
  v8::HandleScope scope(isolate);
903

904 905
  v8::Local<v8::FunctionTemplate> func_template =
      v8::FunctionTemplate::New(isolate);
906 907 908
  v8::Local<v8::ObjectTemplate> instance_template =
      func_template->InstanceTemplate();

909
  TestApiCallbacks accessors(100);
910
  v8::Local<v8::External> data = v8::External::New(isolate, &accessors);
911 912
  instance_template->SetAccessor(v8_str("foo"), &TestApiCallbacks::Getter,
                                 &TestApiCallbacks::Setter, data);
913 914 915 916 917
  v8::Local<v8::Function> func =
      func_template->GetFunction(env.local()).ToLocalChecked();
  v8::Local<v8::Object> instance =
      func->NewInstance(env.local()).ToLocalChecked();
  env->Global()->Set(env.local(), v8_str("instance"), instance).FromJust();
918

919
  CompileRun(native_accessor_test_source);
920
  v8::Local<v8::Function> function = GetFunction(env.local(), "start");
921

922
  ProfilerHelper helper(env.local());
923
  int32_t repeat_count = 1;
924
  v8::Local<v8::Value> args[] = {v8::Integer::New(isolate, repeat_count)};
925
  v8::CpuProfile* profile = helper.Run(function, args, arraysize(args), 0, 100);
926 927

  const v8::CpuProfileNode* root = profile->GetTopDownRoot();
alph's avatar
alph committed
928 929 930
  const v8::CpuProfileNode* start_node = GetChild(env.local(), root, "start");
  GetChild(env.local(), start_node, "get foo");
  GetChild(env.local(), start_node, "set foo");
931

932
  profile->Delete();
933 934 935 936 937 938
}


// Test that native accessors are properly reported in the CPU profile.
// This test makes sure that the accessors are called enough times to become
// hot and to trigger optimizations.
939
TEST(NativeAccessorMonomorphicIC) {
940
  LocalContext env;
941 942
  v8::Isolate* isolate = env->GetIsolate();
  v8::HandleScope scope(isolate);
943

944 945
  v8::Local<v8::FunctionTemplate> func_template =
      v8::FunctionTemplate::New(isolate);
946 947 948
  v8::Local<v8::ObjectTemplate> instance_template =
      func_template->InstanceTemplate();

949
  TestApiCallbacks accessors(1);
950
  v8::Local<v8::External> data =
951
      v8::External::New(isolate, &accessors);
952 953
  instance_template->SetAccessor(v8_str("foo"), &TestApiCallbacks::Getter,
                                 &TestApiCallbacks::Setter, data);
954 955 956 957 958
  v8::Local<v8::Function> func =
      func_template->GetFunction(env.local()).ToLocalChecked();
  v8::Local<v8::Object> instance =
      func->NewInstance(env.local()).ToLocalChecked();
  env->Global()->Set(env.local(), v8_str("instance"), instance).FromJust();
959

960
  CompileRun(native_accessor_test_source);
961
  v8::Local<v8::Function> function = GetFunction(env.local(), "start");
962

963 964 965 966 967
  {
    // Make sure accessors ICs are in monomorphic state before starting
    // profiling.
    accessors.set_warming_up(true);
    int32_t warm_up_iterations = 3;
968 969 970 971
    v8::Local<v8::Value> args[] = {
        v8::Integer::New(isolate, warm_up_iterations)};
    function->Call(env.local(), env->Global(), arraysize(args), args)
        .ToLocalChecked();
972 973 974
    accessors.set_warming_up(false);
  }

975
  int32_t repeat_count = 100;
976
  v8::Local<v8::Value> args[] = {v8::Integer::New(isolate, repeat_count)};
977 978
  ProfilerHelper helper(env.local());
  v8::CpuProfile* profile = helper.Run(function, args, arraysize(args), 0, 100);
979 980

  const v8::CpuProfileNode* root = profile->GetTopDownRoot();
alph's avatar
alph committed
981 982 983
  const v8::CpuProfileNode* start_node = GetChild(env.local(), root, "start");
  GetChild(env.local(), start_node, "get foo");
  GetChild(env.local(), start_node, "set foo");
984

985
  profile->Delete();
986
}
987 988 989 990 991 992 993 994 995 996 997


static const char* native_method_test_source = "function start(count) {\n"
"  for (var i = 0; i < count; i++) {\n"
"    instance.fooMethod();\n"
"  }\n"
"}\n";


TEST(NativeMethodUninitializedIC) {
  LocalContext env;
998 999
  v8::Isolate* isolate = env->GetIsolate();
  v8::HandleScope scope(isolate);
1000 1001

  TestApiCallbacks callbacks(100);
1002
  v8::Local<v8::External> data = v8::External::New(isolate, &callbacks);
1003

1004 1005
  v8::Local<v8::FunctionTemplate> func_template =
      v8::FunctionTemplate::New(isolate);
1006
  func_template->SetClassName(v8_str("Test_InstanceConstructor"));
1007 1008
  v8::Local<v8::ObjectTemplate> proto_template =
      func_template->PrototypeTemplate();
1009
  v8::Local<v8::Signature> signature =
1010
      v8::Signature::New(isolate, func_template);
1011 1012 1013 1014
  proto_template->Set(
      v8_str("fooMethod"),
      v8::FunctionTemplate::New(isolate, &TestApiCallbacks::Callback, data,
                                signature, 0));
1015

1016 1017 1018 1019 1020
  v8::Local<v8::Function> func =
      func_template->GetFunction(env.local()).ToLocalChecked();
  v8::Local<v8::Object> instance =
      func->NewInstance(env.local()).ToLocalChecked();
  env->Global()->Set(env.local(), v8_str("instance"), instance).FromJust();
1021

1022
  CompileRun(native_method_test_source);
1023
  v8::Local<v8::Function> function = GetFunction(env.local(), "start");
1024

1025
  ProfilerHelper helper(env.local());
1026
  int32_t repeat_count = 1;
1027
  v8::Local<v8::Value> args[] = {v8::Integer::New(isolate, repeat_count)};
1028
  v8::CpuProfile* profile = helper.Run(function, args, arraysize(args), 0, 100);
1029 1030

  const v8::CpuProfileNode* root = profile->GetTopDownRoot();
alph's avatar
alph committed
1031 1032
  const v8::CpuProfileNode* start_node = GetChild(env.local(), root, "start");
  GetChild(env.local(), start_node, "fooMethod");
1033

1034
  profile->Delete();
1035 1036 1037 1038 1039
}


TEST(NativeMethodMonomorphicIC) {
  LocalContext env;
1040 1041
  v8::Isolate* isolate = env->GetIsolate();
  v8::HandleScope scope(isolate);
1042 1043

  TestApiCallbacks callbacks(1);
1044
  v8::Local<v8::External> data =
1045
      v8::External::New(isolate, &callbacks);
1046

1047 1048
  v8::Local<v8::FunctionTemplate> func_template =
      v8::FunctionTemplate::New(isolate);
1049
  func_template->SetClassName(v8_str("Test_InstanceCostructor"));
1050 1051
  v8::Local<v8::ObjectTemplate> proto_template =
      func_template->PrototypeTemplate();
1052
  v8::Local<v8::Signature> signature =
1053
      v8::Signature::New(isolate, func_template);
1054 1055 1056 1057
  proto_template->Set(
      v8_str("fooMethod"),
      v8::FunctionTemplate::New(isolate, &TestApiCallbacks::Callback, data,
                                signature, 0));
1058

1059 1060 1061 1062 1063
  v8::Local<v8::Function> func =
      func_template->GetFunction(env.local()).ToLocalChecked();
  v8::Local<v8::Object> instance =
      func->NewInstance(env.local()).ToLocalChecked();
  env->Global()->Set(env.local(), v8_str("instance"), instance).FromJust();
1064

1065
  CompileRun(native_method_test_source);
1066
  v8::Local<v8::Function> function = GetFunction(env.local(), "start");
1067 1068 1069 1070 1071
  {
    // Make sure method ICs are in monomorphic state before starting
    // profiling.
    callbacks.set_warming_up(true);
    int32_t warm_up_iterations = 3;
1072 1073 1074 1075
    v8::Local<v8::Value> args[] = {
        v8::Integer::New(isolate, warm_up_iterations)};
    function->Call(env.local(), env->Global(), arraysize(args), args)
        .ToLocalChecked();
1076 1077 1078
    callbacks.set_warming_up(false);
  }

1079
  ProfilerHelper helper(env.local());
1080
  int32_t repeat_count = 100;
1081
  v8::Local<v8::Value> args[] = {v8::Integer::New(isolate, repeat_count)};
1082
  v8::CpuProfile* profile = helper.Run(function, args, arraysize(args), 0, 200);
1083 1084

  const v8::CpuProfileNode* root = profile->GetTopDownRoot();
1085
  GetChild(env.local(), root, "start");
alph's avatar
alph committed
1086 1087
  const v8::CpuProfileNode* start_node = GetChild(env.local(), root, "start");
  GetChild(env.local(), start_node, "fooMethod");
1088

1089
  profile->Delete();
1090
}
1091 1092


1093 1094 1095 1096 1097 1098 1099 1100
static const char* bound_function_test_source =
    "function foo() {\n"
    "  startProfiling('my_profile');\n"
    "}\n"
    "function start() {\n"
    "  var callback = foo.bind(this);\n"
    "  callback();\n"
    "}";
1101 1102 1103


TEST(BoundFunctionCall) {
1104
  v8::HandleScope scope(CcTest::isolate());
1105
  v8::Local<v8::Context> env = CcTest::NewContext({PROFILER_EXTENSION_ID});
1106
  v8::Context::Scope context_scope(env);
1107

1108
  CompileRun(bound_function_test_source);
1109
  v8::Local<v8::Function> function = GetFunction(env, "start");
1110

1111 1112
  ProfilerHelper helper(env);
  v8::CpuProfile* profile = helper.Run(function, nullptr, 0);
1113 1114 1115

  const v8::CpuProfileNode* root = profile->GetTopDownRoot();

alph's avatar
alph committed
1116 1117
  const v8::CpuProfileNode* start_node = GetChild(env, root, "start");
  GetChild(env, start_node, "foo");
1118

1119
  profile->Delete();
1120
}
1121

1122
// This tests checks distribution of the samples through the source lines.
1123
static void TickLines(bool optimize) {
1124 1125 1126
#ifndef V8_LITE_MODE
  FLAG_opt = optimize;
#endif  // V8_LITE_MODE
1127 1128
  CcTest::InitializeVM();
  LocalContext env;
1129
  i::FLAG_allow_natives_syntax = true;
1130 1131 1132 1133 1134
  i::Isolate* isolate = CcTest::i_isolate();
  i::Factory* factory = isolate->factory();
  i::HandleScope scope(isolate);

  i::EmbeddedVector<char, 512> script;
1135
  i::EmbeddedVector<char, 64> prepare_opt;
1136
  i::EmbeddedVector<char, 64> optimize_call;
1137 1138

  const char* func_name = "func";
1139
  if (optimize) {
1140 1141
    i::SNPrintF(prepare_opt, "%%PrepareFunctionForOptimization(%s);\n",
                func_name);
1142 1143 1144
    i::SNPrintF(optimize_call, "%%OptimizeFunctionOnNextCall(%s);\n",
                func_name);
  } else {
1145
    prepare_opt[0] = '\0';
1146
    optimize_call[0] = '\0';
1147
  }
1148 1149 1150 1151 1152 1153 1154 1155 1156
  i::SNPrintF(script,
              "function %s() {\n"
              "  var n = 0;\n"
              "  var m = 100*100;\n"
              "  while (m > 1) {\n"
              "    m--;\n"
              "    n += m * m * m;\n"
              "  }\n"
              "}\n"
1157
              "%s"
1158 1159
              "%s();\n"
              "%s"
1160
              "%s();\n",
1161 1162
              func_name, prepare_opt.begin(), func_name, optimize_call.begin(),
              func_name);
1163

1164
  CompileRun(script.begin());
1165

1166
  i::Handle<i::JSFunction> func = i::Handle<i::JSFunction>::cast(
1167
      v8::Utils::OpenHandle(*GetFunction(env.local(), func_name)));
1168
  CHECK(!func->shared().is_null());
1169
  CHECK(!func->shared().abstract_code().is_null());
1170
  CHECK(!optimize || func->IsOptimized() ||
Mythri's avatar
Mythri committed
1171
        !CcTest::i_isolate()->use_optimizer());
1172 1173
  i::AbstractCode code = func->abstract_code();
  CHECK(!code.is_null());
1174
  i::Address code_address = code.raw_instruction_start();
1175
  CHECK_NE(code_address, kNullAddress);
1176

1177
  CpuProfilesCollection* profiles = new CpuProfilesCollection(isolate);
1178 1179 1180
  ProfilerCodeObserver code_observer(isolate);
  ProfileGenerator* generator =
      new ProfileGenerator(profiles, code_observer.code_map());
1181
  ProfilerEventsProcessor* processor = new SamplingEventsProcessor(
1182
      CcTest::i_isolate(), generator, &code_observer,
1183
      v8::base::TimeDelta::FromMicroseconds(100), true);
1184 1185
  CpuProfiler profiler(isolate, kDebugNaming, kLazyLogging, profiles, generator,
                       processor);
1186
  profiles->StartProfiling("");
1187 1188 1189 1190 1191
  // TODO(delphick): Stop using the CpuProfiler internals here: This forces
  // LogCompiledFunctions so that source positions are collected everywhere.
  // This would normally happen automatically with CpuProfiler::StartProfiling
  // but doesn't because it's constructed with a generator and a processor.
  isolate->logger()->LogCompiledFunctions();
1192
  CHECK(processor->Start());
1193
  ProfilerListener profiler_listener(isolate, processor);
1194 1195 1196 1197 1198

  // Enqueue code creation events.
  i::Handle<i::String> str = factory->NewStringFromAsciiChecked(func_name);
  int line = 1;
  int column = 1;
lpy's avatar
lpy committed
1199 1200
  profiler_listener.CodeCreateEvent(i::Logger::FUNCTION_TAG, code,
                                    func->shared(), *str, line, column);
1201 1202

  // Enqueue a tick event to enable code events processing.
1203
  EnqueueTickSampleEvent(processor, code_address);
1204 1205 1206 1207

  processor->StopSynchronously();

  CpuProfile* profile = profiles->StopProfiling("");
1208
  CHECK(profile);
1209 1210

  // Check the state of profile generator.
1211
  CodeEntry* func_entry = generator->code_map()->FindEntry(code_address);
1212
  CHECK(func_entry);
1213
  CHECK_EQ(0, strcmp(func_name, func_entry->name()));
1214
  const i::SourcePositionTable* line_info = func_entry->line_info();
1215
  CHECK(line_info);
1216 1217
  CHECK_NE(v8::CpuProfileNode::kNoLineNumberInfo,
           line_info->GetSourceLineNumber(100));
1218 1219 1220 1221

  // Check the hit source lines using V8 Public APIs.
  const i::ProfileTree* tree = profile->top_down();
  ProfileNode* root = tree->root();
1222
  CHECK(root);
1223
  ProfileNode* func_node = root->FindChild(func_entry);
1224
  CHECK(func_node);
1225 1226 1227 1228 1229 1230 1231

  // Add 10 faked ticks to source line #5.
  int hit_line = 5;
  int hit_count = 10;
  for (int i = 0; i < hit_count; i++) func_node->IncrementLineTicks(hit_line);

  unsigned int line_count = func_node->GetHitLineCount();
1232
  CHECK_EQ(2u, line_count);  // Expect two hit source lines - #1 and #5.
1233 1234 1235 1236 1237 1238 1239 1240 1241 1242 1243
  ScopedVector<v8::CpuProfileNode::LineTick> entries(line_count);
  CHECK(func_node->GetLineTicks(&entries[0], line_count));
  int value = 0;
  for (int i = 0; i < entries.length(); i++)
    if (entries[i].line == hit_line) {
      value = entries[i].hit_count;
      break;
    }
  CHECK_EQ(hit_count, value);
}

1244 1245 1246 1247
TEST(TickLinesBaseline) { TickLines(false); }

TEST(TickLinesOptimized) { TickLines(true); }

alph's avatar
alph committed
1248 1249 1250 1251 1252 1253 1254 1255 1256 1257 1258 1259 1260 1261 1262
static const char* call_function_test_source =
    "%NeverOptimizeFunction(bar);\n"
    "%NeverOptimizeFunction(start);\n"
    "function bar(n) {\n"
    "  var s = 0;\n"
    "  for (var i = 0; i < n; i++) s += i * i * i;\n"
    "  return s;\n"
    "}\n"
    "function start(duration) {\n"
    "  var start = Date.now();\n"
    "  do {\n"
    "    for (var i = 0; i < 100; ++i)\n"
    "      bar.call(this, 1000);\n"
    "  } while (Date.now() - start < duration);\n"
    "}";
1263 1264 1265 1266 1267 1268 1269 1270 1271 1272 1273 1274 1275 1276

// Test that if we sampled thread when it was inside FunctionCall buitin then
// its caller frame will be '(unresolved function)' as we have no reliable way
// to resolve it.
//
// [Top down]:
//    96     0   (root) [-1] #1
//     1     1    (garbage collector) [-1] #4
//     5     0    (unresolved function) [-1] #5
//     5     5      call [-1] #6
//    71    70    start [-1] #3
//     1     1      bar [-1] #7
//    19    19    (program) [-1] #2
TEST(FunctionCallSample) {
alph's avatar
alph committed
1277
  i::FLAG_allow_natives_syntax = true;
1278 1279 1280
  LocalContext env;
  v8::HandleScope scope(env->GetIsolate());

1281 1282
  // Collect garbage that might have be generated while installing
  // extensions.
1283
  CcTest::CollectAllGarbage();
1284

1285
  CompileRun(call_function_test_source);
1286
  v8::Local<v8::Function> function = GetFunction(env.local(), "start");
1287

1288
  ProfilerHelper helper(env.local());
1289
  int32_t duration_ms = 100;
1290 1291
  v8::Local<v8::Value> args[] = {
      v8::Integer::New(env->GetIsolate(), duration_ms)};
1292
  v8::CpuProfile* profile = helper.Run(function, args, arraysize(args), 1000);
1293 1294

  const v8::CpuProfileNode* root = profile->GetTopDownRoot();
alph's avatar
alph committed
1295 1296
  const v8::CpuProfileNode* start_node = GetChild(env.local(), root, "start");
  GetChild(env.local(), start_node, "bar");
1297

lpy's avatar
lpy committed
1298 1299
  const v8::CpuProfileNode* unresolved_node =
      FindChild(env.local(), root, i::CodeEntry::kUnresolvedFunctionName);
alph's avatar
alph committed
1300
  CHECK(!unresolved_node || GetChild(env.local(), unresolved_node, "call"));
1301

1302
  profile->Delete();
1303 1304
}

1305
static const char* function_apply_test_source =
alph's avatar
alph committed
1306 1307 1308 1309 1310 1311 1312
    "%NeverOptimizeFunction(bar);\n"
    "%NeverOptimizeFunction(test);\n"
    "%NeverOptimizeFunction(start);\n"
    "function bar(n) {\n"
    "  var s = 0;\n"
    "  for (var i = 0; i < n; i++) s += i * i * i;\n"
    "  return s;\n"
1313 1314
    "}\n"
    "function test() {\n"
alph's avatar
alph committed
1315
    "  bar.apply(this, [1000]);\n"
1316 1317 1318
    "}\n"
    "function start(duration) {\n"
    "  var start = Date.now();\n"
alph's avatar
alph committed
1319 1320 1321
    "  do {\n"
    "    for (var i = 0; i < 100; ++i) test();\n"
    "  } while (Date.now() - start < duration);\n"
1322
    "}";
1323 1324 1325 1326 1327 1328 1329 1330 1331 1332 1333

// [Top down]:
//    94     0   (root) [-1] #0 1
//     2     2    (garbage collector) [-1] #0 7
//    82    49    start [-1] #16 3
//     1     0      (unresolved function) [-1] #0 8
//     1     1        apply [-1] #0 9
//    32    21      test [-1] #16 4
//     2     2        bar [-1] #16 6
//    10    10    (program) [-1] #0 2
TEST(FunctionApplySample) {
alph's avatar
alph committed
1334
  i::FLAG_allow_natives_syntax = true;
1335 1336 1337
  LocalContext env;
  v8::HandleScope scope(env->GetIsolate());

1338
  CompileRun(function_apply_test_source);
1339
  v8::Local<v8::Function> function = GetFunction(env.local(), "start");
1340

1341
  ProfilerHelper helper(env.local());
1342
  int32_t duration_ms = 100;
1343 1344
  v8::Local<v8::Value> args[] = {
      v8::Integer::New(env->GetIsolate(), duration_ms)};
1345
  v8::CpuProfile* profile = helper.Run(function, args, arraysize(args), 1000);
1346 1347

  const v8::CpuProfileNode* root = profile->GetTopDownRoot();
alph's avatar
alph committed
1348 1349 1350 1351
  const v8::CpuProfileNode* start_node = GetChild(env.local(), root, "start");
  const v8::CpuProfileNode* test_node =
      GetChild(env.local(), start_node, "test");
  GetChild(env.local(), test_node, "bar");
1352

lpy's avatar
lpy committed
1353 1354
  const v8::CpuProfileNode* unresolved_node =
      FindChild(env.local(), start_node, CodeEntry::kUnresolvedFunctionName);
alph's avatar
alph committed
1355
  CHECK(!unresolved_node || GetChild(env.local(), unresolved_node, "apply"));
1356

1357
  profile->Delete();
1358
}
1359

1360
static const char* cpu_profiler_deep_stack_test_source =
alph's avatar
alph committed
1361 1362 1363 1364 1365 1366 1367 1368 1369 1370
    "function foo(n) {\n"
    "  if (n)\n"
    "    foo(n - 1);\n"
    "  else\n"
    "    collectSample();\n"
    "}\n"
    "function start() {\n"
    "  startProfiling('my_profile');\n"
    "  foo(250);\n"
    "}\n";
1371 1372 1373 1374 1375 1376 1377 1378 1379 1380

// Check a deep stack
//
// [Top down]:
//    0  (root) 0 #1
//    2    (program) 0 #2
//    0    start 21 #3 no reason
//    0      foo 21 #4 no reason
//    0        foo 21 #5 no reason
//                ....
alph's avatar
alph committed
1381
//    0          foo 21 #254 no reason
1382 1383
TEST(CpuProfileDeepStack) {
  v8::HandleScope scope(CcTest::isolate());
1384
  v8::Local<v8::Context> env = CcTest::NewContext({PROFILER_EXTENSION_ID});
1385
  v8::Context::Scope context_scope(env);
1386
  ProfilerHelper helper(env);
1387

1388
  CompileRun(cpu_profiler_deep_stack_test_source);
1389
  v8::Local<v8::Function> function = GetFunction(env, "start");
1390

1391
  v8::Local<v8::String> profile_name = v8_str("my_profile");
1392
  function->Call(env, env->Global(), 0, nullptr).ToLocalChecked();
1393
  v8::CpuProfile* profile = helper.profiler()->StopProfiling(profile_name);
1394
  CHECK(profile);
1395 1396 1397 1398
  // Dump collected profile to have a better diagnostic in case of failure.
  reinterpret_cast<i::CpuProfile*>(profile)->Print();

  const v8::CpuProfileNode* root = profile->GetTopDownRoot();
1399
  const v8::CpuProfileNode* node = GetChild(env, root, "start");
alph's avatar
alph committed
1400
  for (int i = 0; i <= 250; ++i) {
1401
    node = GetChild(env, node, "foo");
1402
  }
alph's avatar
alph committed
1403
  CHECK(!FindChild(env, node, "foo"));
1404 1405 1406 1407

  profile->Delete();
}

1408
static const char* js_native_js_test_source =
alph's avatar
alph committed
1409 1410 1411 1412 1413 1414 1415
    "%NeverOptimizeFunction(foo);\n"
    "%NeverOptimizeFunction(bar);\n"
    "%NeverOptimizeFunction(start);\n"
    "function foo(n) {\n"
    "  var s = 0;\n"
    "  for (var i = 0; i < n; i++) s += i * i * i;\n"
    "  return s;\n"
1416 1417
    "}\n"
    "function bar() {\n"
alph's avatar
alph committed
1418
    "  foo(1000);\n"
1419 1420
    "}\n"
    "function start() {\n"
alph's avatar
alph committed
1421
    "  CallJsFunction(bar);\n"
1422
    "}";
1423 1424

static void CallJsFunction(const v8::FunctionCallbackInfo<v8::Value>& info) {
1425 1426 1427 1428 1429
  v8::Local<v8::Function> function = info[0].As<v8::Function>();
  v8::Local<v8::Value> argv[] = {info[1]};
  function->Call(info.GetIsolate()->GetCurrentContext(), info.This(),
                 arraysize(argv), argv)
      .ToLocalChecked();
1430 1431 1432 1433 1434 1435 1436 1437 1438 1439
}

// [Top down]:
//    58     0   (root) #0 1
//     2     2    (program) #0 2
//    56     1    start #16 3
//    55     0      CallJsFunction #0 4
//    55     1        bar #16 5
//    54    54          foo #16 6
TEST(JsNativeJsSample) {
alph's avatar
alph committed
1440
  i::FLAG_allow_natives_syntax = true;
1441
  v8::HandleScope scope(CcTest::isolate());
1442
  v8::Local<v8::Context> env = CcTest::NewContext({PROFILER_EXTENSION_ID});
1443
  v8::Context::Scope context_scope(env);
1444 1445

  v8::Local<v8::FunctionTemplate> func_template = v8::FunctionTemplate::New(
1446
      env->GetIsolate(), CallJsFunction);
1447 1448
  v8::Local<v8::Function> func =
      func_template->GetFunction(env).ToLocalChecked();
1449
  func->SetName(v8_str("CallJsFunction"));
1450
  env->Global()->Set(env, v8_str("CallJsFunction"), func).FromJust();
1451

1452
  CompileRun(js_native_js_test_source);
1453
  v8::Local<v8::Function> function = GetFunction(env, "start");
1454

1455 1456
  ProfilerHelper helper(env);
  v8::CpuProfile* profile = helper.Run(function, nullptr, 0, 1000);
1457 1458

  const v8::CpuProfileNode* root = profile->GetTopDownRoot();
alph's avatar
alph committed
1459 1460 1461 1462 1463
  const v8::CpuProfileNode* start_node = GetChild(env, root, "start");
  const v8::CpuProfileNode* native_node =
      GetChild(env, start_node, "CallJsFunction");
  const v8::CpuProfileNode* bar_node = GetChild(env, native_node, "bar");
  GetChild(env, bar_node, "foo");
1464

1465
  profile->Delete();
1466 1467 1468
}

static const char* js_native_js_runtime_js_test_source =
alph's avatar
alph committed
1469 1470 1471 1472 1473 1474 1475
    "%NeverOptimizeFunction(foo);\n"
    "%NeverOptimizeFunction(bar);\n"
    "%NeverOptimizeFunction(start);\n"
    "function foo(n) {\n"
    "  var s = 0;\n"
    "  for (var i = 0; i < n; i++) s += i * i * i;\n"
    "  return s;\n"
1476 1477 1478
    "}\n"
    "var bound = foo.bind(this);\n"
    "function bar() {\n"
alph's avatar
alph committed
1479
    "  bound(1000);\n"
1480 1481
    "}\n"
    "function start() {\n"
alph's avatar
alph committed
1482
    "  CallJsFunction(bar);\n"
1483
    "}";
1484 1485 1486 1487 1488 1489 1490 1491 1492

// [Top down]:
//    57     0   (root) #0 1
//    55     1    start #16 3
//    54     0      CallJsFunction #0 4
//    54     3        bar #16 5
//    51    51          foo #16 6
//     2     2    (program) #0 2
TEST(JsNativeJsRuntimeJsSample) {
alph's avatar
alph committed
1493
  i::FLAG_allow_natives_syntax = true;
1494
  v8::HandleScope scope(CcTest::isolate());
1495
  v8::Local<v8::Context> env = CcTest::NewContext({PROFILER_EXTENSION_ID});
1496
  v8::Context::Scope context_scope(env);
1497 1498

  v8::Local<v8::FunctionTemplate> func_template = v8::FunctionTemplate::New(
1499
      env->GetIsolate(), CallJsFunction);
1500 1501
  v8::Local<v8::Function> func =
      func_template->GetFunction(env).ToLocalChecked();
1502
  func->SetName(v8_str("CallJsFunction"));
1503
  env->Global()->Set(env, v8_str("CallJsFunction"), func).FromJust();
1504

1505
  CompileRun(js_native_js_runtime_js_test_source);
1506
  ProfilerHelper helper(env);
1507
  v8::Local<v8::Function> function = GetFunction(env, "start");
1508
  v8::CpuProfile* profile = helper.Run(function, nullptr, 0, 1000);
1509 1510

  const v8::CpuProfileNode* root = profile->GetTopDownRoot();
alph's avatar
alph committed
1511 1512 1513 1514 1515
  const v8::CpuProfileNode* start_node = GetChild(env, root, "start");
  const v8::CpuProfileNode* native_node =
      GetChild(env, start_node, "CallJsFunction");
  const v8::CpuProfileNode* bar_node = GetChild(env, native_node, "bar");
  GetChild(env, bar_node, "foo");
1516

1517
  profile->Delete();
1518 1519 1520
}

static void CallJsFunction2(const v8::FunctionCallbackInfo<v8::Value>& info) {
1521
  v8::base::OS::Print("In CallJsFunction2\n");
1522 1523 1524 1525
  CallJsFunction(info);
}

static const char* js_native1_js_native2_js_test_source =
alph's avatar
alph committed
1526 1527 1528
    "%NeverOptimizeFunction(foo);\n"
    "%NeverOptimizeFunction(bar);\n"
    "%NeverOptimizeFunction(start);\n"
1529
    "function foo() {\n"
alph's avatar
alph committed
1530 1531 1532
    "  var s = 0;\n"
    "  for (var i = 0; i < 1000; i++) s += i * i * i;\n"
    "  return s;\n"
1533 1534 1535 1536 1537
    "}\n"
    "function bar() {\n"
    "  CallJsFunction2(foo);\n"
    "}\n"
    "function start() {\n"
alph's avatar
alph committed
1538
    "  CallJsFunction1(bar);\n"
1539
    "}";
1540 1541 1542 1543 1544 1545 1546 1547 1548 1549

// [Top down]:
//    57     0   (root) #0 1
//    55     1    start #16 3
//    54     0      CallJsFunction1 #0 4
//    54     0        bar #16 5
//    54     0          CallJsFunction2 #0 6
//    54    54            foo #16 7
//     2     2    (program) #0 2
TEST(JsNative1JsNative2JsSample) {
alph's avatar
alph committed
1550
  i::FLAG_allow_natives_syntax = true;
1551
  v8::HandleScope scope(CcTest::isolate());
1552
  v8::Local<v8::Context> env = CcTest::NewContext({PROFILER_EXTENSION_ID});
1553
  v8::Context::Scope context_scope(env);
1554

1555
  v8::Local<v8::Function> func1 =
alph's avatar
alph committed
1556 1557 1558
      v8::FunctionTemplate::New(env->GetIsolate(), CallJsFunction)
          ->GetFunction(env)
          .ToLocalChecked();
1559
  func1->SetName(v8_str("CallJsFunction1"));
1560
  env->Global()->Set(env, v8_str("CallJsFunction1"), func1).FromJust();
1561

1562 1563 1564 1565
  v8::Local<v8::Function> func2 =
      v8::FunctionTemplate::New(env->GetIsolate(), CallJsFunction2)
          ->GetFunction(env)
          .ToLocalChecked();
1566
  func2->SetName(v8_str("CallJsFunction2"));
1567
  env->Global()->Set(env, v8_str("CallJsFunction2"), func2).FromJust();
1568

1569
  CompileRun(js_native1_js_native2_js_test_source);
1570

1571 1572 1573
  ProfilerHelper helper(env);
  v8::Local<v8::Function> function = GetFunction(env, "start");
  v8::CpuProfile* profile = helper.Run(function, nullptr, 0, 1000);
1574 1575

  const v8::CpuProfileNode* root = profile->GetTopDownRoot();
alph's avatar
alph committed
1576 1577 1578 1579 1580 1581 1582
  const v8::CpuProfileNode* start_node = GetChild(env, root, "start");
  const v8::CpuProfileNode* native_node1 =
      GetChild(env, start_node, "CallJsFunction1");
  const v8::CpuProfileNode* bar_node = GetChild(env, native_node1, "bar");
  const v8::CpuProfileNode* native_node2 =
      GetChild(env, bar_node, "CallJsFunction2");
  GetChild(env, native_node2, "foo");
1583

1584
  profile->Delete();
1585
}
1586

1587 1588 1589 1590 1591
static const char* js_force_collect_sample_source =
    "function start() {\n"
    "  CallCollectSample();\n"
    "}";

1592
static void CallCollectSample(const v8::FunctionCallbackInfo<v8::Value>& info) {
1593
  v8::CpuProfiler::CollectSample(info.GetIsolate());
1594 1595
}

1596 1597
TEST(CollectSampleAPI) {
  v8::HandleScope scope(CcTest::isolate());
1598
  v8::Local<v8::Context> env = CcTest::NewContext({PROFILER_EXTENSION_ID});
1599 1600 1601 1602 1603 1604 1605 1606 1607 1608
  v8::Context::Scope context_scope(env);

  v8::Local<v8::FunctionTemplate> func_template =
      v8::FunctionTemplate::New(env->GetIsolate(), CallCollectSample);
  v8::Local<v8::Function> func =
      func_template->GetFunction(env).ToLocalChecked();
  func->SetName(v8_str("CallCollectSample"));
  env->Global()->Set(env, v8_str("CallCollectSample"), func).FromJust();

  CompileRun(js_force_collect_sample_source);
1609
  ProfilerHelper helper(env);
1610
  v8::Local<v8::Function> function = GetFunction(env, "start");
1611
  v8::CpuProfile* profile = helper.Run(function, nullptr, 0, 0);
1612 1613

  const v8::CpuProfileNode* root = profile->GetTopDownRoot();
alph's avatar
alph committed
1614 1615 1616
  const v8::CpuProfileNode* start_node = GetChild(env, root, "start");
  CHECK_LE(1, start_node->GetChildrenCount());
  GetChild(env, start_node, "CallCollectSample");
1617 1618 1619

  profile->Delete();
}
1620

1621
static const char* js_native_js_runtime_multiple_test_source =
alph's avatar
alph committed
1622 1623 1624
    "%NeverOptimizeFunction(foo);\n"
    "%NeverOptimizeFunction(bar);\n"
    "%NeverOptimizeFunction(start);\n"
1625 1626 1627 1628 1629
    "function foo() {\n"
    "  return Math.sin(Math.random());\n"
    "}\n"
    "var bound = foo.bind(this);\n"
    "function bar() {\n"
alph's avatar
alph committed
1630
    "  return bound();\n"
1631 1632
    "}\n"
    "function start() {\n"
alph's avatar
alph committed
1633 1634 1635 1636 1637
    "  startProfiling('my_profile');\n"
    "  var startTime = Date.now();\n"
    "  do {\n"
    "    CallJsFunction(bar);\n"
    "  } while (Date.now() - startTime < 200);\n"
1638 1639 1640 1641 1642 1643 1644 1645 1646 1647 1648 1649
    "}";

// The test check multiple entrances/exits between JS and native code.
//
// [Top down]:
//    (root) #0 1
//      start #16 3
//        CallJsFunction #0 4
//          bar #16 5
//            foo #16 6
//      (program) #0 2
TEST(JsNativeJsRuntimeJsSampleMultiple) {
alph's avatar
alph committed
1650
  i::FLAG_allow_natives_syntax = true;
1651
  v8::HandleScope scope(CcTest::isolate());
1652
  v8::Local<v8::Context> env = CcTest::NewContext({PROFILER_EXTENSION_ID});
1653 1654 1655 1656 1657 1658 1659 1660 1661 1662 1663
  v8::Context::Scope context_scope(env);

  v8::Local<v8::FunctionTemplate> func_template =
      v8::FunctionTemplate::New(env->GetIsolate(), CallJsFunction);
  v8::Local<v8::Function> func =
      func_template->GetFunction(env).ToLocalChecked();
  func->SetName(v8_str("CallJsFunction"));
  env->Global()->Set(env, v8_str("CallJsFunction"), func).FromJust();

  CompileRun(js_native_js_runtime_multiple_test_source);

1664 1665 1666
  ProfilerHelper helper(env);
  v8::Local<v8::Function> function = GetFunction(env, "start");
  v8::CpuProfile* profile = helper.Run(function, nullptr, 0, 500, 500);
1667 1668

  const v8::CpuProfileNode* root = profile->GetTopDownRoot();
alph's avatar
alph committed
1669 1670 1671 1672 1673
  const v8::CpuProfileNode* start_node = GetChild(env, root, "start");
  const v8::CpuProfileNode* native_node =
      GetChild(env, start_node, "CallJsFunction");
  const v8::CpuProfileNode* bar_node = GetChild(env, native_node, "bar");
  GetChild(env, bar_node, "foo");
1674 1675 1676 1677

  profile->Delete();
}

1678 1679 1680 1681 1682 1683 1684 1685 1686 1687 1688 1689 1690 1691 1692 1693 1694 1695
static const char* inlining_test_source =
    "var finish = false;\n"
    "function action(n) {\n"
    "  var s = 0;\n"
    "  for (var i = 0; i < n; ++i) s += i*i*i;\n"
    "  if (finish)\n"
    "    startProfiling('my_profile');\n"
    "  return s;\n"
    "}\n"
    "function level3() { return action(100); }\n"
    "function level2() { return level3() * 2; }\n"
    "function level1() { return level2(); }\n"
    "function start() {\n"
    "  var n = 100;\n"
    "  while (--n)\n"
    "    level1();\n"
    "  finish = true;\n"
    "  level1();\n"
1696 1697 1698 1699 1700 1701 1702 1703 1704 1705
    "}"
    "%PrepareFunctionForOptimization(level1);\n"
    "%PrepareFunctionForOptimization(level2);\n"
    "%PrepareFunctionForOptimization(level3);\n"
    "%NeverOptimizeFunction(action);\n"
    "%NeverOptimizeFunction(start);\n"
    "level1();\n"
    "%OptimizeFunctionOnNextCall(level1);\n"
    "%OptimizeFunctionOnNextCall(level2);\n"
    "%OptimizeFunctionOnNextCall(level3);\n";
1706 1707 1708 1709 1710 1711 1712 1713 1714 1715 1716 1717 1718 1719

// The test check multiple entrances/exits between JS and native code.
//
// [Top down]:
//    (root) #0 1
//      start #16 3
//        level1 #0 4
//          level2 #16 5
//            level3 #16 6
//              action #16 7
//      (program) #0 2
TEST(Inlining) {
  i::FLAG_allow_natives_syntax = true;
  v8::HandleScope scope(CcTest::isolate());
1720
  v8::Local<v8::Context> env = CcTest::NewContext({PROFILER_EXTENSION_ID});
1721
  v8::Context::Scope context_scope(env);
1722
  ProfilerHelper helper(env);
1723 1724 1725 1726 1727

  CompileRun(inlining_test_source);
  v8::Local<v8::Function> function = GetFunction(env, "start");

  v8::Local<v8::String> profile_name = v8_str("my_profile");
1728
  function->Call(env, env->Global(), 0, nullptr).ToLocalChecked();
1729
  v8::CpuProfile* profile = helper.profiler()->StopProfiling(profile_name);
1730 1731 1732 1733 1734 1735 1736 1737 1738 1739 1740 1741 1742 1743
  CHECK(profile);
  // Dump collected profile to have a better diagnostic in case of failure.
  reinterpret_cast<i::CpuProfile*>(profile)->Print();

  const v8::CpuProfileNode* root = profile->GetTopDownRoot();
  const v8::CpuProfileNode* start_node = GetChild(env, root, "start");
  const v8::CpuProfileNode* level1_node = GetChild(env, start_node, "level1");
  const v8::CpuProfileNode* level2_node = GetChild(env, level1_node, "level2");
  const v8::CpuProfileNode* level3_node = GetChild(env, level2_node, "level3");
  GetChild(env, level3_node, "action");

  profile->Delete();
}

1744 1745 1746 1747 1748 1749 1750
static const char* inlining_test_source2 = R"(
    function action(n) {
      var s = 0;
      for (var i = 0; i < n; ++i) s += i*i*i;
      return s;
    }
    function level4() {
1751 1752
      action(100);
      return action(100);
1753 1754 1755 1756 1757 1758 1759 1760 1761 1762 1763 1764 1765 1766 1767 1768 1769 1770 1771
    }
    function level3() {
      const a = level4();
      const b = level4();
      return a + b * 1.1;
    }
    function level2() {
      return level3() * 2;
    }
    function level1() {
      action(1);
      action(200);
      action(1);
      return level2();
    }
    function start(n) {
      while (--n)
        level1();
    };
1772 1773 1774 1775 1776 1777 1778 1779 1780 1781 1782 1783 1784
    %NeverOptimizeFunction(action);
    %NeverOptimizeFunction(start);
    %PrepareFunctionForOptimization(level1);
    %PrepareFunctionForOptimization(level2);
    %PrepareFunctionForOptimization(level3);
    %PrepareFunctionForOptimization(level4);
    level1();
    level1();
    %OptimizeFunctionOnNextCall(level1);
    %OptimizeFunctionOnNextCall(level2);
    %OptimizeFunctionOnNextCall(level3);
    %OptimizeFunctionOnNextCall(level4);
    level1();
1785 1786 1787 1788 1789 1790 1791 1792 1793 1794 1795
  )";

// The simulator builds are extremely slow. We run them with fewer iterations.
#ifdef USE_SIMULATOR
const double load_factor = 0.01;
#else
const double load_factor = 1.0;
#endif

// [Top down]:
//     0  (root):0 0 #1
1796 1797 1798 1799 1800 1801 1802 1803 1804 1805 1806 1807 1808 1809 1810 1811 1812 1813 1814 1815 1816
//    13    start:34 6 #3
//              bailed out due to 'Optimization is always disabled'
//    19      level1:36 6 #4
//    16        action:29 6 #14
//                  bailed out due to 'Optimization is always disabled'
//  2748        action:30 6 #10
//                  bailed out due to 'Optimization is always disabled'
//    18        action:31 6 #15
//                  bailed out due to 'Optimization is always disabled'
//     0        level2:32 6 #5
//     0          level3:26 6 #6
//    12            level4:22 6 #11
//  1315              action:17 6 #13
//                        bailed out due to 'Optimization is always disabled'
//  1324              action:18 6 #12
//                        bailed out due to 'Optimization is always disabled'
//    16            level4:21 6 #7
//  1268              action:17 6 #9
//                        bailed out due to 'Optimization is always disabled'
//  1322              action:18 6 #8
//                        bailed out due to 'Optimization is always disabled'
1817 1818
//     2    (program):0 0 #2
TEST(Inlining2) {
1819
  FLAG_allow_natives_syntax = true;
1820 1821 1822
  v8::Isolate* isolate = CcTest::isolate();
  v8::CpuProfiler::UseDetailedSourcePositionsForProfiling(isolate);
  v8::HandleScope scope(isolate);
1823
  v8::Local<v8::Context> env = CcTest::NewContext({PROFILER_EXTENSION_ID});
1824 1825 1826 1827 1828 1829 1830
  v8::Context::Scope context_scope(env);

  CompileRun(inlining_test_source2);
  v8::Local<v8::Function> function = GetFunction(env, "start");

  v8::CpuProfiler* profiler = v8::CpuProfiler::New(CcTest::isolate());
  v8::Local<v8::String> profile_name = v8_str("inlining");
1831 1832
  profiler->StartProfiling(
      profile_name,
1833
      v8::CpuProfilingOptions{v8::CpuProfilingMode::kCallerLineNumbers});
1834 1835 1836 1837 1838 1839 1840 1841 1842 1843 1844 1845 1846

  v8::Local<v8::Value> args[] = {
      v8::Integer::New(env->GetIsolate(), 50000 * load_factor)};
  function->Call(env, env->Global(), arraysize(args), args).ToLocalChecked();
  v8::CpuProfile* profile = profiler->StopProfiling(profile_name);
  CHECK(profile);

  // Dump collected profile to have a better diagnostic in case of failure.
  reinterpret_cast<i::CpuProfile*>(profile)->Print();

  const v8::CpuProfileNode* root = profile->GetTopDownRoot();
  const v8::CpuProfileNode* start_node = GetChild(env, root, "start");

1847 1848 1849 1850 1851
  NameLinePair l421_a17[] = {{"level1", 27},
                             {"level2", 23},
                             {"level3", 17},
                             {"level4", 12},
                             {"action", 8}};
1852
  CheckBranch(start_node, l421_a17, arraysize(l421_a17));
1853 1854 1855 1856 1857
  NameLinePair l422_a17[] = {{"level1", 27},
                             {"level2", 23},
                             {"level3", 17},
                             {"level4", 13},
                             {"action", 8}};
1858 1859
  CheckBranch(start_node, l422_a17, arraysize(l422_a17));

1860 1861 1862 1863 1864
  NameLinePair l421_a18[] = {{"level1", 27},
                             {"level2", 23},
                             {"level3", 17},
                             {"level4", 12},
                             {"action", 9}};
1865
  CheckBranch(start_node, l421_a18, arraysize(l421_a18));
1866 1867 1868 1869 1870
  NameLinePair l422_a18[] = {{"level1", 27},
                             {"level2", 23},
                             {"level3", 17},
                             {"level4", 13},
                             {"action", 9}};
1871 1872
  CheckBranch(start_node, l422_a18, arraysize(l422_a18));

1873
  NameLinePair action_direct[] = {{"level1", 27}, {"action", 21}};
1874 1875 1876 1877 1878 1879
  CheckBranch(start_node, action_direct, arraysize(action_direct));

  profile->Delete();
  profiler->Dispose();
}

1880 1881 1882 1883 1884 1885 1886 1887 1888 1889 1890 1891 1892 1893 1894 1895 1896 1897 1898 1899 1900 1901 1902 1903 1904 1905 1906 1907 1908 1909 1910 1911 1912 1913 1914 1915
static const char* cross_script_source_a = R"(





    %NeverOptimizeFunction(action);
    function action(n) {
      var s = 0;
      for (var i = 0; i < n; ++i) s += i*i*i;
      return s;
    }
    function level1() {
      const a = action(1);
      const b = action(200);
      const c = action(1);
      return a + b + c;
    }
  )";

static const char* cross_script_source_b = R"(
    %PrepareFunctionForOptimization(start);
    %PrepareFunctionForOptimization(level1);
    start(1);
    start(1);
    %OptimizeFunctionOnNextCall(start);
    %OptimizeFunctionOnNextCall(level1);
    start(1);
    function start(n) {
      while (--n)
        level1();
    };
  )";

TEST(CrossScriptInliningCallerLineNumbers) {
  i::FLAG_allow_natives_syntax = true;
1916 1917 1918
  v8::Isolate* isolate = CcTest::isolate();
  v8::CpuProfiler::UseDetailedSourcePositionsForProfiling(isolate);
  v8::HandleScope scope(isolate);
1919 1920 1921 1922 1923 1924 1925 1926 1927 1928 1929 1930 1931 1932 1933 1934 1935 1936 1937 1938 1939 1940 1941 1942 1943 1944 1945 1946 1947 1948 1949 1950 1951 1952 1953 1954 1955 1956 1957 1958 1959 1960 1961 1962 1963 1964 1965 1966 1967 1968 1969 1970 1971 1972 1973 1974 1975 1976 1977 1978 1979 1980 1981 1982 1983 1984 1985 1986 1987 1988 1989 1990 1991 1992 1993 1994 1995 1996 1997 1998 1999 2000 2001 2002 2003 2004 2005 2006 2007 2008 2009 2010 2011 2012 2013 2014 2015 2016 2017 2018 2019 2020 2021 2022 2023 2024 2025 2026 2027 2028 2029 2030 2031 2032 2033 2034 2035 2036 2037 2038 2039 2040 2041 2042 2043 2044 2045 2046 2047 2048 2049 2050 2051 2052 2053 2054 2055 2056 2057 2058 2059 2060 2061 2062 2063 2064 2065
  v8::Local<v8::Context> env = CcTest::NewContext({PROFILER_EXTENSION_ID});
  v8::Context::Scope context_scope(env);

  v8::Local<v8::Script> script_a =
      CompileWithOrigin(cross_script_source_a, "script_a", false);
  v8::Local<v8::Script> script_b =
      CompileWithOrigin(cross_script_source_b, "script_b", false);

  script_a->Run(env).ToLocalChecked();
  script_b->Run(env).ToLocalChecked();

  v8::Local<v8::Function> function = GetFunction(env, "start");

  v8::CpuProfiler* profiler = v8::CpuProfiler::New(CcTest::isolate());
  v8::Local<v8::String> profile_name = v8_str("inlining");
  profiler->StartProfiling(profile_name,
                           v8::CpuProfilingMode::kCallerLineNumbers);

  v8::Local<v8::Value> args[] = {
      v8::Integer::New(env->GetIsolate(), 20000 * load_factor)};
  function->Call(env, env->Global(), arraysize(args), args).ToLocalChecked();
  v8::CpuProfile* profile = profiler->StopProfiling(profile_name);
  CHECK(profile);

  // Dump collected profile to have a better diagnostic in case of failure.
  reinterpret_cast<i::CpuProfile*>(profile)->Print();

  const v8::CpuProfileNode* root = profile->GetTopDownRoot();
  const v8::CpuProfileNode* start_node = GetChild(env, root, "start");
  CHECK_EQ(0, strcmp("script_b", start_node->GetScriptResourceNameStr()));

  NameLinePair l19_a10[] = {{"level1", 11}, {"action", 15}};
  CheckBranch(start_node, l19_a10, arraysize(l19_a10));

  const v8::CpuProfileNode* level1_node = GetChild(env, start_node, "level1");
  CHECK_EQ(0, strcmp("script_a", level1_node->GetScriptResourceNameStr()));

  const v8::CpuProfileNode* action_node = GetChild(env, level1_node, "action");
  CHECK_EQ(0, strcmp("script_a", action_node->GetScriptResourceNameStr()));

  profile->Delete();
  profiler->Dispose();
}

static const char* cross_script_source_c = R"(
    function level3() {
      const a = action(1);
      const b = action(100);
      const c = action(1);
      return a + b + c;
    }
    %NeverOptimizeFunction(action);
    function action(n) {
      var s = 0;
      for (var i = 0; i < n; ++i) s += i*i*i;
      return s;
    }
  )";

static const char* cross_script_source_d = R"(
    function level2() {
      const p = level3();
      const q = level3();
      return p + q;
    }
  )";

static const char* cross_script_source_e = R"(
    function level1() {
      return level2() + 1000;
    }
  )";

static const char* cross_script_source_f = R"(
    %PrepareFunctionForOptimization(start);
    %PrepareFunctionForOptimization(level1);
    %PrepareFunctionForOptimization(level2);
    %PrepareFunctionForOptimization(level3);
    start(1);
    start(1);
    %OptimizeFunctionOnNextCall(start);
    %OptimizeFunctionOnNextCall(level1);
    %OptimizeFunctionOnNextCall(level2);
    %OptimizeFunctionOnNextCall(level3);
    start(1);
    function start(n) {
      while (--n)
        level1();
    };
  )";

TEST(CrossScriptInliningCallerLineNumbers2) {
  i::FLAG_allow_natives_syntax = true;
  v8::HandleScope scope(CcTest::isolate());
  v8::Local<v8::Context> env = CcTest::NewContext({PROFILER_EXTENSION_ID});
  v8::Context::Scope context_scope(env);

  v8::Local<v8::Script> script_c =
      CompileWithOrigin(cross_script_source_c, "script_c", false);
  v8::Local<v8::Script> script_d =
      CompileWithOrigin(cross_script_source_d, "script_d", false);
  v8::Local<v8::Script> script_e =
      CompileWithOrigin(cross_script_source_e, "script_e", false);
  v8::Local<v8::Script> script_f =
      CompileWithOrigin(cross_script_source_f, "script_f", false);

  script_c->Run(env).ToLocalChecked();
  script_d->Run(env).ToLocalChecked();
  script_e->Run(env).ToLocalChecked();
  script_f->Run(env).ToLocalChecked();

  v8::Local<v8::Function> function = GetFunction(env, "start");

  v8::CpuProfiler* profiler = v8::CpuProfiler::New(CcTest::isolate());
  v8::Local<v8::String> profile_name = v8_str("inlining");
  profiler->StartProfiling(profile_name,
                           v8::CpuProfilingMode::kCallerLineNumbers);

  v8::Local<v8::Value> args[] = {
      v8::Integer::New(env->GetIsolate(), 20000 * load_factor)};
  function->Call(env, env->Global(), arraysize(args), args).ToLocalChecked();
  v8::CpuProfile* profile = profiler->StopProfiling(profile_name);
  CHECK(profile);

  // Dump collected profile to have a better diagnostic in case of failure.
  reinterpret_cast<i::CpuProfile*>(profile)->Print();

  const v8::CpuProfileNode* root = profile->GetTopDownRoot();
  const v8::CpuProfileNode* start_node = GetChild(env, root, "start");
  CHECK_EQ(0, strcmp("script_f", start_node->GetScriptResourceNameStr()));

  const v8::CpuProfileNode* level1_node = GetChild(env, start_node, "level1");
  CHECK_EQ(0, strcmp("script_e", level1_node->GetScriptResourceNameStr()));

  const v8::CpuProfileNode* level2_node = GetChild(env, level1_node, "level2");
  CHECK_EQ(0, strcmp("script_d", level2_node->GetScriptResourceNameStr()));

  const v8::CpuProfileNode* level3_node = GetChild(env, level2_node, "level3");
  CHECK_EQ(0, strcmp("script_c", level3_node->GetScriptResourceNameStr()));

  const v8::CpuProfileNode* action_node = GetChild(env, level3_node, "action");
  CHECK_EQ(0, strcmp("script_c", action_node->GetScriptResourceNameStr()));

  profile->Delete();
  profiler->Dispose();
}

2066
// [Top down]:
2067 2068 2069
//     0   (root) #0 1
//     2    (program) #0 2
//     3    (idle) #0 3
2070 2071 2072
TEST(IdleTime) {
  LocalContext env;
  v8::HandleScope scope(env->GetIsolate());
2073
  v8::CpuProfiler* cpu_profiler = v8::CpuProfiler::New(env->GetIsolate());
2074

2075
  v8::Local<v8::String> profile_name = v8_str("my_profile");
2076
  cpu_profiler->StartProfiling(profile_name);
2077

2078
  i::Isolate* isolate = CcTest::i_isolate();
2079 2080
  i::ProfilerEventsProcessor* processor =
      reinterpret_cast<i::CpuProfiler*>(cpu_profiler)->processor();
2081

2082
  processor->AddCurrentStack(true);
2083
  isolate->SetIdle(true);
2084
  for (int i = 0; i < 3; i++) {
2085
    processor->AddCurrentStack(true);
2086
  }
2087
  isolate->SetIdle(false);
2088
  processor->AddCurrentStack(true);
2089

2090
  v8::CpuProfile* profile = cpu_profiler->StopProfiling(profile_name);
2091
  CHECK(profile);
2092
  // Dump collected profile to have a better diagnostic in case of failure.
2093
  reinterpret_cast<i::CpuProfile*>(profile)->Print();
2094 2095

  const v8::CpuProfileNode* root = profile->GetTopDownRoot();
alph's avatar
alph committed
2096
  const v8::CpuProfileNode* program_node =
lpy's avatar
lpy committed
2097
      GetChild(env.local(), root, CodeEntry::kProgramEntryName);
alph's avatar
alph committed
2098 2099
  CHECK_EQ(0, program_node->GetChildrenCount());
  CHECK_GE(program_node->GetHitCount(), 2u);
2100

alph's avatar
alph committed
2101
  const v8::CpuProfileNode* idle_node =
lpy's avatar
lpy committed
2102
      GetChild(env.local(), root, CodeEntry::kIdleEntryName);
alph's avatar
alph committed
2103 2104
  CHECK_EQ(0, idle_node->GetChildrenCount());
  CHECK_GE(idle_node->GetHitCount(), 3u);
2105

2106
  profile->Delete();
2107
  cpu_profiler->Dispose();
2108
}
2109

2110 2111 2112
static void CheckFunctionDetails(v8::Isolate* isolate,
                                 const v8::CpuProfileNode* node,
                                 const char* name, const char* script_name,
2113
                                 bool is_shared_cross_origin, int script_id,
2114 2115
                                 int line, int column,
                                 const v8::CpuProfileNode* parent) {
2116 2117
  v8::Local<v8::Context> context = isolate->GetCurrentContext();
  CHECK(v8_str(name)->Equals(context, node->GetFunctionName()).FromJust());
2118
  CHECK_EQ(0, strcmp(name, node->GetFunctionNameStr()));
2119 2120 2121
  CHECK(v8_str(script_name)
            ->Equals(context, node->GetScriptResourceName())
            .FromJust());
2122
  CHECK_EQ(0, strcmp(script_name, node->GetScriptResourceNameStr()));
2123 2124 2125
  CHECK_EQ(script_id, node->GetScriptId());
  CHECK_EQ(line, node->GetLineNumber());
  CHECK_EQ(column, node->GetColumnNumber());
2126
  CHECK_EQ(parent, node->GetParent());
2127
  CHECK_EQ(v8::CpuProfileNode::kScript, node->GetSourceType());
2128 2129 2130
}

TEST(FunctionDetails) {
alph's avatar
alph committed
2131
  i::FLAG_allow_natives_syntax = true;
2132
  v8::HandleScope scope(CcTest::isolate());
2133
  v8::Local<v8::Context> env = CcTest::NewContext({PROFILER_EXTENSION_ID});
2134
  v8::Context::Scope context_scope(env);
2135
  ProfilerHelper helper(env);
2136

2137
  v8::Local<v8::Script> script_a = CompileWithOrigin(
alph's avatar
alph committed
2138 2139 2140
      "%NeverOptimizeFunction(foo);\n"
      "%NeverOptimizeFunction(bar);\n"
      "    function foo\n() { bar(); }\n"
2141
      " function bar() { startProfiling(); }\n",
2142
      "script_a", false);
2143 2144
  script_a->Run(env).ToLocalChecked();
  v8::Local<v8::Script> script_b = CompileWithOrigin(
alph's avatar
alph committed
2145 2146
      "%NeverOptimizeFunction(baz);"
      "\n\n   function baz() { foo(); }\n"
2147 2148
      "\n\nbaz();\n"
      "stopProfiling();\n",
2149
      "script_b", true);
2150
  script_b->Run(env).ToLocalChecked();
2151
  const v8::CpuProfile* profile = i::ProfilerExtension::last_profile;
2152 2153 2154 2155 2156
  const v8::CpuProfileNode* current = profile->GetTopDownRoot();
  reinterpret_cast<ProfileNode*>(
      const_cast<v8::CpuProfileNode*>(current))->Print(0);
  // The tree should look like this:
  //  0   (root) 0 #1
2157
  //  0    "" 19 #2 no reason script_b:1
2158 2159 2160 2161
  //  0      baz 19 #3 TryCatchStatement script_b:3
  //  0        foo 18 #4 TryCatchStatement script_a:2
  //  1          bar 18 #5 no reason script_a:3
  const v8::CpuProfileNode* root = profile->GetTopDownRoot();
2162
  CHECK_EQ(root->GetParent(), nullptr);
2163
  const v8::CpuProfileNode* script = GetChild(env, root, "");
2164
  CheckFunctionDetails(env->GetIsolate(), script, "", "script_b", true,
2165
                       script_b->GetUnboundScript()->GetId(), 1, 1, root);
2166
  const v8::CpuProfileNode* baz = GetChild(env, script, "baz");
2167
  CheckFunctionDetails(env->GetIsolate(), baz, "baz", "script_b", true,
2168
                       script_b->GetUnboundScript()->GetId(), 3, 16, script);
2169
  const v8::CpuProfileNode* foo = GetChild(env, baz, "foo");
2170
  CheckFunctionDetails(env->GetIsolate(), foo, "foo", "script_a", false,
2171
                       script_a->GetUnboundScript()->GetId(), 4, 1, baz);
2172
  const v8::CpuProfileNode* bar = GetChild(env, foo, "bar");
2173
  CheckFunctionDetails(env->GetIsolate(), bar, "bar", "script_a", false,
2174
                       script_a->GetUnboundScript()->GetId(), 5, 14, foo);
2175
}
2176

2177 2178 2179 2180
TEST(FunctionDetailsInlining) {
  if (!CcTest::i_isolate()->use_optimizer() || i::FLAG_always_opt) return;
  i::FLAG_allow_natives_syntax = true;
  v8::HandleScope scope(CcTest::isolate());
2181
  v8::Local<v8::Context> env = CcTest::NewContext({PROFILER_EXTENSION_ID});
2182 2183 2184 2185 2186 2187 2188 2189 2190 2191 2192 2193 2194 2195 2196 2197
  v8::Context::Scope context_scope(env);
  ProfilerHelper helper(env);

  // alpha is in a_script, beta in b_script. beta is
  // inlined in alpha, but it should be attributed to b_script.

  v8::Local<v8::Script> script_b = CompileWithOrigin(
      "function beta(k) {\n"
      "  let sum = 2;\n"
      "  for(let i = 0; i < k; i ++) {\n"
      "    sum += i;\n"
      "    sum = sum + 'a';\n"
      "  }\n"
      "  return sum;\n"
      "}\n"
      "\n",
2198
      "script_b", true);
2199 2200 2201 2202 2203 2204 2205 2206 2207 2208 2209

  v8::Local<v8::Script> script_a = CompileWithOrigin(
      "function alpha(p) {\n"
      "  let res = beta(p);\n"
      "  res = res + res;\n"
      "  return res;\n"
      "}\n"
      "let p = 2;\n"
      "\n"
      "\n"
      "// Warm up before profiling or the inlining doesn't happen.\n"
2210
      "%PrepareFunctionForOptimization(alpha);\n"
2211 2212 2213 2214 2215 2216 2217 2218 2219 2220 2221 2222 2223
      "p = alpha(p);\n"
      "p = alpha(p);\n"
      "%OptimizeFunctionOnNextCall(alpha);\n"
      "p = alpha(p);\n"
      "\n"
      "\n"
      "startProfiling();\n"
      "for(let i = 0; i < 10000; i++) {\n"
      "  p = alpha(p);\n"
      "}\n"
      "stopProfiling();\n"
      "\n"
      "\n",
2224
      "script_a", false);
2225 2226 2227 2228 2229 2230 2231 2232 2233 2234 2235 2236 2237 2238 2239 2240 2241 2242 2243

  script_b->Run(env).ToLocalChecked();
  script_a->Run(env).ToLocalChecked();

  const v8::CpuProfile* profile = i::ProfilerExtension::last_profile;
  const v8::CpuProfileNode* current = profile->GetTopDownRoot();
  reinterpret_cast<ProfileNode*>(const_cast<v8::CpuProfileNode*>(current))
      ->Print(0);
  //   The tree should look like this:
  //  0  (root) 0 #1
  //  5    (program) 0 #6
  //  2     14 #2 script_a:1
  //    ;;; deopted at script_id: 14 position: 299 with reason 'Insufficient
  //    type feedback for call'.
  //  1      alpha 14 #4 script_a:1
  //  9        beta 13 #5 script_b:0
  //  0      startProfiling 0 #3

  const v8::CpuProfileNode* root = profile->GetTopDownRoot();
2244
  CHECK_EQ(root->GetParent(), nullptr);
2245
  const v8::CpuProfileNode* script = GetChild(env, root, "");
2246
  CheckFunctionDetails(env->GetIsolate(), script, "", "script_a", false,
2247
                       script_a->GetUnboundScript()->GetId(), 1, 1, root);
2248 2249 2250
  const v8::CpuProfileNode* alpha = FindChild(env, script, "alpha");
  // Return early if profiling didn't sample alpha.
  if (!alpha) return;
2251
  CheckFunctionDetails(env->GetIsolate(), alpha, "alpha", "script_a", false,
2252
                       script_a->GetUnboundScript()->GetId(), 1, 15, script);
2253 2254
  const v8::CpuProfileNode* beta = FindChild(env, alpha, "beta");
  if (!beta) return;
2255
  CheckFunctionDetails(env->GetIsolate(), beta, "beta", "script_b", true,
2256
                       script_b->GetUnboundScript()->GetId(), 1, 14, alpha);
2257
}
2258 2259

TEST(DontStopOnFinishedProfileDelete) {
2260
  v8::HandleScope scope(CcTest::isolate());
2261
  v8::Local<v8::Context> env = CcTest::NewContext({PROFILER_EXTENSION_ID});
2262
  v8::Context::Scope context_scope(env);
2263

2264
  v8::CpuProfiler* profiler = v8::CpuProfiler::New(env->GetIsolate());
2265
  i::CpuProfiler* iprofiler = reinterpret_cast<i::CpuProfiler*>(profiler);
2266

2267
  CHECK_EQ(0, iprofiler->GetProfilesCount());
2268
  v8::Local<v8::String> outer = v8_str("outer");
2269
  profiler->StartProfiling(outer);
2270
  CHECK_EQ(0, iprofiler->GetProfilesCount());
2271

2272
  v8::Local<v8::String> inner = v8_str("inner");
2273
  profiler->StartProfiling(inner);
2274
  CHECK_EQ(0, iprofiler->GetProfilesCount());
2275

2276
  v8::CpuProfile* inner_profile = profiler->StopProfiling(inner);
2277
  CHECK(inner_profile);
2278
  CHECK_EQ(1, iprofiler->GetProfilesCount());
2279
  inner_profile->Delete();
2280
  inner_profile = nullptr;
2281
  CHECK_EQ(0, iprofiler->GetProfilesCount());
2282

2283
  v8::CpuProfile* outer_profile = profiler->StopProfiling(outer);
2284
  CHECK(outer_profile);
2285
  CHECK_EQ(1, iprofiler->GetProfilesCount());
2286
  outer_profile->Delete();
2287
  outer_profile = nullptr;
2288
  CHECK_EQ(0, iprofiler->GetProfilesCount());
2289
  profiler->Dispose();
2290
}
2291 2292


2293 2294
const char* GetBranchDeoptReason(v8::Local<v8::Context> context,
                                 i::CpuProfile* iprofile, const char* branch[],
2295 2296
                                 int length) {
  v8::CpuProfile* profile = reinterpret_cast<v8::CpuProfile*>(iprofile);
2297
  const ProfileNode* iopt_function = nullptr;
2298
  iopt_function = GetSimpleBranch(context, profile, branch, length);
2299
  CHECK_EQ(1U, iopt_function->deopt_infos().size());
2300 2301 2302 2303
  return iopt_function->deopt_infos()[0].deopt_reason;
}


loislo's avatar
loislo committed
2304
// deopt at top function
2305
TEST(CollectDeoptEvents) {
Mythri's avatar
Mythri committed
2306
  if (!CcTest::i_isolate()->use_optimizer() || i::FLAG_always_opt) return;
2307 2308
  i::FLAG_allow_natives_syntax = true;
  v8::HandleScope scope(CcTest::isolate());
2309
  v8::Local<v8::Context> env = CcTest::NewContext({PROFILER_EXTENSION_ID});
2310
  v8::Context::Scope context_scope(env);
2311 2312 2313
  ProfilerHelper helper(env);
  i::CpuProfiler* iprofiler =
      reinterpret_cast<i::CpuProfiler*>(helper.profiler());
2314

2315 2316 2317
  const char opt_source[] =
      "function opt_function%d(value, depth) {\n"
      "  if (depth) return opt_function%d(value, depth - 1);\n"
loislo's avatar
loislo committed
2318
      "\n"
2319
      "  return  10 / value;\n"
loislo's avatar
loislo committed
2320
      "}\n"
2321 2322 2323 2324 2325
      "\n";

  for (int i = 0; i < 3; ++i) {
    i::EmbeddedVector<char, sizeof(opt_source) + 100> buffer;
    i::SNPrintF(buffer, opt_source, i, i);
2326
    v8::Script::Compile(env, v8_str(buffer.begin()))
2327 2328 2329
        .ToLocalChecked()
        ->Run(env)
        .ToLocalChecked();
2330 2331 2332 2333
  }

  const char* source =
      "startProfiling();\n"
loislo's avatar
loislo committed
2334
      "\n"
2335 2336
      "%PrepareFunctionForOptimization(opt_function0);\n"
      "\n"
2337
      "opt_function0(1, 1);\n"
loislo's avatar
loislo committed
2338
      "\n"
2339 2340 2341 2342 2343
      "%OptimizeFunctionOnNextCall(opt_function0)\n"
      "\n"
      "opt_function0(1, 1);\n"
      "\n"
      "opt_function0(undefined, 1);\n"
loislo's avatar
loislo committed
2344
      "\n"
2345 2346
      "%PrepareFunctionForOptimization(opt_function1);\n"
      "\n"
2347
      "opt_function1(1, 1);\n"
loislo's avatar
loislo committed
2348
      "\n"
2349
      "%OptimizeFunctionOnNextCall(opt_function1)\n"
loislo's avatar
loislo committed
2350
      "\n"
2351
      "opt_function1(1, 1);\n"
loislo's avatar
loislo committed
2352
      "\n"
2353
      "opt_function1(NaN, 1);\n"
loislo's avatar
loislo committed
2354
      "\n"
2355 2356
      "%PrepareFunctionForOptimization(opt_function2);\n"
      "\n"
2357
      "opt_function2(1, 1);\n"
loislo's avatar
loislo committed
2358
      "\n"
2359
      "%OptimizeFunctionOnNextCall(opt_function2)\n"
loislo's avatar
loislo committed
2360
      "\n"
2361 2362 2363
      "opt_function2(1, 1);\n"
      "\n"
      "opt_function2(0, 1);\n"
loislo's avatar
loislo committed
2364 2365 2366 2367
      "\n"
      "stopProfiling();\n"
      "\n";

2368 2369 2370 2371
  v8::Script::Compile(env, v8_str(source))
      .ToLocalChecked()
      ->Run(env)
      .ToLocalChecked();
2372 2373
  i::CpuProfile* iprofile = iprofiler->GetProfile(0);
  iprofile->Print();
2374 2375 2376 2377 2378 2379 2380 2381 2382 2383 2384 2385 2386 2387 2388 2389 2390 2391
  /* The expected profile
  [Top down]:
      0  (root) 0 #1
     23     32 #2
      1      opt_function2 31 #7
      1        opt_function2 31 #8
                  ;;; deopted at script_id: 31 position: 106 with reason
  'division by zero'.
      2      opt_function0 29 #3
      4        opt_function0 29 #4
                  ;;; deopted at script_id: 29 position: 108 with reason 'not a
  heap number'.
      0      opt_function1 30 #5
      1        opt_function1 30 #6
                  ;;; deopted at script_id: 30 position: 108 with reason 'lost
  precision or NaN'.
  */

2392 2393
  {
    const char* branch[] = {"", "opt_function0", "opt_function0"};
2394 2395 2396 2397
    const char* deopt_reason =
        GetBranchDeoptReason(env, iprofile, branch, arraysize(branch));
    if (deopt_reason != reason(i::DeoptimizeReason::kNotAHeapNumber) &&
        deopt_reason != reason(i::DeoptimizeReason::kNotASmi)) {
2398
      FATAL("%s", deopt_reason);
2399
    }
2400 2401 2402
  }
  {
    const char* branch[] = {"", "opt_function1", "opt_function1"};
2403
    const char* deopt_reason =
2404
        GetBranchDeoptReason(env, iprofile, branch, arraysize(branch));
2405
    if (deopt_reason != reason(i::DeoptimizeReason::kNaN) &&
2406 2407
        deopt_reason != reason(i::DeoptimizeReason::kLostPrecisionOrNaN) &&
        deopt_reason != reason(i::DeoptimizeReason::kNotASmi)) {
2408
      FATAL("%s", deopt_reason);
2409
    }
2410 2411 2412
  }
  {
    const char* branch[] = {"", "opt_function2", "opt_function2"};
2413
    CHECK_EQ(reason(i::DeoptimizeReason::kDivisionByZero),
2414
             GetBranchDeoptReason(env, iprofile, branch, arraysize(branch)));
2415
  }
2416 2417
  iprofiler->DeleteProfile(iprofile);
}
2418 2419 2420 2421 2422 2423 2424 2425 2426 2427 2428 2429 2430


TEST(SourceLocation) {
  i::FLAG_always_opt = true;
  LocalContext env;
  v8::HandleScope scope(CcTest::isolate());

  const char* source =
      "function CompareStatementWithThis() {\n"
      "  if (this === 1) {}\n"
      "}\n"
      "CompareStatementWithThis();\n";

2431 2432 2433 2434
  v8::Script::Compile(env.local(), v8_str(source))
      .ToLocalChecked()
      ->Run(env.local())
      .ToLocalChecked();
2435
}
2436 2437

static const char* inlined_source =
2438 2439
    "function opt_function(left, right) { var k = left*right; return k + 1; "
    "}\n";
2440 2441 2442 2443 2444
//   0.........1.........2.........3.........4....*....5.........6......*..7


// deopt at the first level inlined function
TEST(DeoptAtFirstLevelInlinedSource) {
Mythri's avatar
Mythri committed
2445
  if (!CcTest::i_isolate()->use_optimizer() || i::FLAG_always_opt) return;
2446 2447
  i::FLAG_allow_natives_syntax = true;
  v8::HandleScope scope(CcTest::isolate());
2448
  v8::Local<v8::Context> env = CcTest::NewContext({PROFILER_EXTENSION_ID});
2449
  v8::Context::Scope context_scope(env);
2450 2451 2452
  ProfilerHelper helper(env);
  i::CpuProfiler* iprofiler =
      reinterpret_cast<i::CpuProfiler*>(helper.profiler());
2453 2454 2455

  //   0.........1.........2.........3.........4.........5.........6.........7
  const char* source =
2456
      "function test(left, right) { return opt_function(left, right); }\n"
2457 2458 2459
      "\n"
      "startProfiling();\n"
      "\n"
2460
      "%EnsureFeedbackVectorForFunction(opt_function);\n"
2461 2462
      "%PrepareFunctionForOptimization(test);\n"
      "\n"
2463
      "test(10, 10);\n"
2464 2465 2466
      "\n"
      "%OptimizeFunctionOnNextCall(test)\n"
      "\n"
2467 2468 2469
      "test(10, 10);\n"
      "\n"
      "test(undefined, 1e9);\n"
2470 2471 2472 2473
      "\n"
      "stopProfiling();\n"
      "\n";

2474 2475
  v8::Local<v8::Script> inlined_script = v8_compile(inlined_source);
  inlined_script->Run(env).ToLocalChecked();
2476 2477
  int inlined_script_id = inlined_script->GetUnboundScript()->GetId();

2478 2479
  v8::Local<v8::Script> script = v8_compile(source);
  script->Run(env).ToLocalChecked();
2480 2481 2482 2483 2484 2485 2486 2487 2488 2489 2490 2491 2492 2493 2494 2495 2496 2497
  int script_id = script->GetUnboundScript()->GetId();

  i::CpuProfile* iprofile = iprofiler->GetProfile(0);
  iprofile->Print();
  /* The expected profile output
  [Top down]:
      0  (root) 0 #1
     10     30 #2
      1      test 30 #3
                ;;; deopted at script_id: 29 position: 45 with reason 'not a
  heap number'.
                ;;;     Inline point: script_id 30 position: 36.
      4        opt_function 29 #4
  */
  v8::CpuProfile* profile = reinterpret_cast<v8::CpuProfile*>(iprofile);

  const char* branch[] = {"", "test"};
  const ProfileNode* itest_node =
2498
      GetSimpleBranch(env, profile, branch, arraysize(branch));
2499 2500
  const std::vector<v8::CpuProfileDeoptInfo>& deopt_infos =
      itest_node->deopt_infos();
2501
  CHECK_EQ(1U, deopt_infos.size());
2502

2503
  const v8::CpuProfileDeoptInfo& info = deopt_infos[0];
2504 2505
  CHECK(reason(i::DeoptimizeReason::kNotASmi) == info.deopt_reason ||
        reason(i::DeoptimizeReason::kNotAHeapNumber) == info.deopt_reason);
2506
  CHECK_EQ(2U, info.stack.size());
2507
  CHECK_EQ(inlined_script_id, info.stack[0].script_id);
2508
  CHECK_LE(dist(offset(inlined_source, "*right"), info.stack[0].position), 1);
2509
  CHECK_EQ(script_id, info.stack[1].script_id);
2510
  CHECK_EQ(offset(source, "opt_function(left,"), info.stack[1].position);
2511 2512 2513 2514 2515 2516

  iprofiler->DeleteProfile(iprofile);
}

// deopt at the second level inlined function
TEST(DeoptAtSecondLevelInlinedSource) {
Mythri's avatar
Mythri committed
2517
  if (!CcTest::i_isolate()->use_optimizer() || i::FLAG_always_opt) return;
2518 2519
  i::FLAG_allow_natives_syntax = true;
  v8::HandleScope scope(CcTest::isolate());
2520
  v8::Local<v8::Context> env = CcTest::NewContext({PROFILER_EXTENSION_ID});
2521
  v8::Context::Scope context_scope(env);
2522 2523 2524
  ProfilerHelper helper(env);
  i::CpuProfiler* iprofiler =
      reinterpret_cast<i::CpuProfiler*>(helper.profiler());
2525 2526 2527

  //   0.........1.........2.........3.........4.........5.........6.........7
  const char* source =
2528 2529
      "function test2(left, right) { return opt_function(left, right); }\n"
      "function test1(left, right) { return test2(left, right); } \n"
2530 2531 2532
      "\n"
      "startProfiling();\n"
      "\n"
2533 2534
      "%EnsureFeedbackVectorForFunction(opt_function);\n"
      "%EnsureFeedbackVectorForFunction(test2);\n"
2535 2536
      "%PrepareFunctionForOptimization(test1);\n"
      "\n"
2537
      "test1(10, 10);\n"
2538 2539 2540
      "\n"
      "%OptimizeFunctionOnNextCall(test1)\n"
      "\n"
2541
      "test1(10, 10);\n"
2542
      "\n"
2543
      "test1(undefined, 1e9);\n"
2544 2545 2546 2547
      "\n"
      "stopProfiling();\n"
      "\n";

2548 2549
  v8::Local<v8::Script> inlined_script = v8_compile(inlined_source);
  inlined_script->Run(env).ToLocalChecked();
2550 2551
  int inlined_script_id = inlined_script->GetUnboundScript()->GetId();

2552 2553
  v8::Local<v8::Script> script = v8_compile(source);
  script->Run(env).ToLocalChecked();
2554 2555 2556 2557 2558 2559 2560 2561 2562 2563 2564 2565 2566 2567 2568 2569 2570 2571 2572 2573 2574
  int script_id = script->GetUnboundScript()->GetId();

  i::CpuProfile* iprofile = iprofiler->GetProfile(0);
  iprofile->Print();
  /* The expected profile output
  [Top down]:
      0  (root) 0 #1
     11     30 #2
      1      test1 30 #3
                ;;; deopted at script_id: 29 position: 45 with reason 'not a
  heap number'.
                ;;;     Inline point: script_id 30 position: 37.
                ;;;     Inline point: script_id 30 position: 103.
      1        test2 30 #4
      3          opt_function 29 #5
  */

  v8::CpuProfile* profile = reinterpret_cast<v8::CpuProfile*>(iprofile);

  const char* branch[] = {"", "test1"};
  const ProfileNode* itest_node =
2575
      GetSimpleBranch(env, profile, branch, arraysize(branch));
2576 2577
  const std::vector<v8::CpuProfileDeoptInfo>& deopt_infos =
      itest_node->deopt_infos();
2578
  CHECK_EQ(1U, deopt_infos.size());
2579

2580
  const v8::CpuProfileDeoptInfo info = deopt_infos[0];
2581 2582
  CHECK(reason(i::DeoptimizeReason::kNotASmi) == info.deopt_reason ||
        reason(i::DeoptimizeReason::kNotAHeapNumber) == info.deopt_reason);
2583
  CHECK_EQ(3U, info.stack.size());
2584
  CHECK_EQ(inlined_script_id, info.stack[0].script_id);
2585
  CHECK_LE(dist(offset(inlined_source, "*right"), info.stack[0].position), 1);
2586
  CHECK_EQ(script_id, info.stack[1].script_id);
2587 2588
  CHECK_EQ(offset(source, "opt_function(left,"), info.stack[1].position);
  CHECK_EQ(offset(source, "test2(left, right);"), info.stack[2].position);
2589 2590 2591 2592 2593 2594 2595

  iprofiler->DeleteProfile(iprofile);
}


// deopt in untracked function
TEST(DeoptUntrackedFunction) {
Mythri's avatar
Mythri committed
2596
  if (!CcTest::i_isolate()->use_optimizer() || i::FLAG_always_opt) return;
2597 2598
  i::FLAG_allow_natives_syntax = true;
  v8::HandleScope scope(CcTest::isolate());
2599
  v8::Local<v8::Context> env = CcTest::NewContext({PROFILER_EXTENSION_ID});
2600
  v8::Context::Scope context_scope(env);
2601 2602 2603
  ProfilerHelper helper(env);
  i::CpuProfiler* iprofiler =
      reinterpret_cast<i::CpuProfiler*>(helper.profiler());
2604 2605 2606 2607 2608

  //   0.........1.........2.........3.........4.........5.........6.........7
  const char* source =
      "function test(left, right) { return opt_function(left, right); }\n"
      "\n"
2609
      "%EnsureFeedbackVectorForFunction(opt_function);"
2610 2611
      "%PrepareFunctionForOptimization(test);\n"
      "\n"
2612
      "test(10, 10);\n"
2613 2614 2615
      "\n"
      "%OptimizeFunctionOnNextCall(test)\n"
      "\n"
2616
      "test(10, 10);\n"
2617 2618 2619
      "\n"
      "startProfiling();\n"  // profiler started after compilation.
      "\n"
2620
      "test(undefined, 10);\n"
2621 2622 2623 2624
      "\n"
      "stopProfiling();\n"
      "\n";

2625 2626
  v8::Local<v8::Script> inlined_script = v8_compile(inlined_source);
  inlined_script->Run(env).ToLocalChecked();
2627

2628 2629
  v8::Local<v8::Script> script = v8_compile(source);
  script->Run(env).ToLocalChecked();
2630 2631 2632 2633 2634 2635 2636

  i::CpuProfile* iprofile = iprofiler->GetProfile(0);
  iprofile->Print();
  v8::CpuProfile* profile = reinterpret_cast<v8::CpuProfile*>(iprofile);

  const char* branch[] = {"", "test"};
  const ProfileNode* itest_node =
2637
      GetSimpleBranch(env, profile, branch, arraysize(branch));
2638
  CHECK_EQ(0U, itest_node->deopt_infos().size());
2639 2640 2641

  iprofiler->DeleteProfile(iprofile);
}
2642 2643 2644 2645 2646 2647 2648

using v8::platform::tracing::TraceBuffer;
using v8::platform::tracing::TraceConfig;
using v8::platform::tracing::TraceObject;

namespace {

2649 2650 2651 2652 2653 2654 2655 2656 2657 2658 2659 2660 2661 2662 2663 2664 2665 2666 2667 2668 2669 2670 2671 2672 2673 2674 2675 2676 2677 2678 2679 2680 2681 2682 2683
#ifdef V8_USE_PERFETTO

class CpuProfilerListener : public platform::tracing::TraceEventListener {
 public:
  void ProcessPacket(const ::perfetto::protos::TracePacket& packet) {
    for (const ::perfetto::protos::ChromeTraceEvent& trace_event :
         packet.chrome_events().trace_events()) {
      if (trace_event.name() != std::string("Profile") &&
          trace_event.name() != std::string("ProfileChunk"))
        return;
      CHECK(!profile_id_ || trace_event.id() == profile_id_);
      CHECK_EQ(1, trace_event.args_size());
      CHECK(trace_event.args()[0].has_json_value());
      profile_id_ = trace_event.id();
      result_json_ += result_json_.empty() ? "[" : ",\n";
      result_json_ += trace_event.args()[0].json_value();
    }
  }

  const std::string& result_json() {
    result_json_ += "]";
    return result_json_;
  }
  void Reset() {
    result_json_.clear();
    profile_id_ = 0;
  }

 private:
  std::string result_json_;
  uint64_t profile_id_ = 0;
};

#else

2684 2685 2686
class CpuProfileEventChecker : public v8::platform::tracing::TraceWriter {
 public:
  void AppendTraceEvent(TraceObject* trace_event) override {
2687 2688
    if (trace_event->name() != std::string("Profile") &&
        trace_event->name() != std::string("ProfileChunk"))
2689 2690 2691 2692 2693 2694 2695
      return;
    CHECK(!profile_id_ || trace_event->id() == profile_id_);
    CHECK_EQ(1, trace_event->num_args());
    CHECK_EQ(TRACE_VALUE_TYPE_CONVERTABLE, trace_event->arg_types()[0]);
    profile_id_ = trace_event->id();
    v8::ConvertableToTraceFormat* arg =
        trace_event->arg_convertables()[0].get();
2696
    result_json_ += result_json_.empty() ? "[" : ",\n";
2697 2698
    arg->AppendAsTraceFormat(&result_json_);
  }
2699
  void Flush() override { result_json_ += "]"; }
2700

2701 2702 2703 2704 2705
  const std::string& result_json() const { return result_json_; }
  void Reset() {
    result_json_.clear();
    profile_id_ = 0;
  }
2706 2707 2708 2709 2710 2711

 private:
  std::string result_json_;
  uint64_t profile_id_ = 0;
};

2712 2713
#endif  // !V8_USE_PERFETTO

2714 2715 2716
}  // namespace

TEST(TracingCpuProfiler) {
2717 2718 2719
  v8::HandleScope scope(CcTest::isolate());
  v8::Local<v8::Context> env = CcTest::NewContext({PROFILER_EXTENSION_ID});
  v8::Context::Scope context_scope(env);
2720

2721 2722 2723
  auto* tracing_controller =
      static_cast<v8::platform::tracing::TracingController*>(
          i::V8::GetCurrentPlatform()->GetTracingController());
2724

2725 2726 2727
#ifdef V8_USE_PERFETTO
  std::ostringstream perfetto_output;
  tracing_controller->InitializeForPerfetto(&perfetto_output);
2728 2729 2730 2731 2732 2733 2734
  CpuProfilerListener listener;
  tracing_controller->SetTraceEventListenerForTesting(&listener);
#else
  CpuProfileEventChecker* event_checker = new CpuProfileEventChecker();
  TraceBuffer* ring_buffer =
      TraceBuffer::CreateTraceBufferRingBuffer(1, event_checker);
  tracing_controller->Initialize(ring_buffer);
2735 2736
#endif

2737 2738 2739 2740 2741 2742 2743 2744 2745 2746 2747 2748 2749 2750 2751 2752 2753 2754
  bool result = false;
  for (int run_duration = 50; !result; run_duration += 50) {
    TraceConfig* trace_config = new TraceConfig();
    trace_config->AddIncludedCategory(
        TRACE_DISABLED_BY_DEFAULT("v8.cpu_profiler"));
    trace_config->AddIncludedCategory(
        TRACE_DISABLED_BY_DEFAULT("v8.cpu_profiler.hires"));

    std::string test_code = R"(
        function foo() {
          let s = 0;
          const endTime = Date.now() + )" +
                            std::to_string(run_duration) + R"(
          while (Date.now() < endTime) s += Math.cos(s);
          return s;
        }
        foo();)";

2755
    tracing_controller->StartTracing(trace_config);
2756
    CompileRun(test_code.c_str());
2757
    tracing_controller->StopTracing();
2758

2759 2760 2761 2762
#ifdef V8_USE_PERFETTO
    std::string profile_json = listener.result_json();
    listener.Reset();
#else
2763 2764
    std::string profile_json = event_checker->result_json();
    event_checker->Reset();
2765
#endif
2766 2767 2768 2769 2770 2771 2772 2773 2774 2775 2776 2777 2778 2779
    CHECK_LT(0u, profile_json.length());
    printf("Profile JSON: %s\n", profile_json.c_str());

    std::string profile_checker_code = R"(
        function checkProfile(json) {
          const profile_header = json[0];
          if (typeof profile_header['startTime'] !== 'number')
            return false;
          return json.some(event => (event.lines || []).some(line => line));
        }
        checkProfile()" + profile_json +
                                       ")";
    result = CompileRunChecked(CcTest::isolate(), profile_checker_code.c_str())
                 ->IsTrue();
2780 2781
  }

2782 2783 2784
  static_cast<v8::platform::tracing::TracingController*>(
      i::V8::GetCurrentPlatform()->GetTracingController())
      ->Initialize(nullptr);
2785
}
2786

2787 2788 2789 2790 2791 2792 2793 2794 2795 2796 2797 2798 2799 2800 2801 2802 2803 2804 2805 2806 2807 2808 2809 2810 2811 2812 2813 2814
TEST(Issue763073) {
  class AllowNativesSyntax {
   public:
    AllowNativesSyntax()
        : allow_natives_syntax_(i::FLAG_allow_natives_syntax),
          trace_deopt_(i::FLAG_trace_deopt) {
      i::FLAG_allow_natives_syntax = true;
      i::FLAG_trace_deopt = true;
    }

    ~AllowNativesSyntax() {
      i::FLAG_allow_natives_syntax = allow_natives_syntax_;
      i::FLAG_trace_deopt = trace_deopt_;
    }

   private:
    bool allow_natives_syntax_;
    bool trace_deopt_;
  };

  AllowNativesSyntax allow_natives_syntax_scope;
  LocalContext env;
  v8::HandleScope scope(env->GetIsolate());

  CompileRun(
      "function f() { return function g(x) { }; }"
      // Create first closure, optimize it, and deoptimize it.
      "var g = f();"
2815
      "%PrepareFunctionForOptimization(g);\n"
2816 2817 2818 2819 2820 2821 2822
      "g(1);"
      "%OptimizeFunctionOnNextCall(g);"
      "g(1);"
      "%DeoptimizeFunction(g);"
      // Create second closure, and optimize it. This will create another
      // optimized code object and put in the (shared) type feedback vector.
      "var h = f();"
2823
      "%PrepareFunctionForOptimization(h);\n"
2824 2825 2826 2827 2828 2829 2830 2831 2832 2833 2834 2835 2836 2837 2838 2839 2840
      "h(1);"
      "%OptimizeFunctionOnNextCall(h);"
      "h(1);");

  // Start profiling.
  v8::CpuProfiler* cpu_profiler = v8::CpuProfiler::New(env->GetIsolate());
  v8::Local<v8::String> profile_name = v8_str("test");

  // Here we test that the heap iteration upon profiling start is not
  // confused by having a deoptimized code object for a closure while
  // having a different optimized code object in the type feedback vector.
  cpu_profiler->StartProfiling(profile_name);
  v8::CpuProfile* p = cpu_profiler->StopProfiling(profile_name);
  p->Delete();
  cpu_profiler->Dispose();
}

2841 2842 2843 2844 2845 2846 2847 2848 2849 2850 2851 2852 2853 2854 2855 2856 2857 2858 2859 2860 2861 2862 2863 2864 2865 2866 2867 2868 2869 2870 2871 2872 2873 2874 2875 2876 2877 2878
static const char* js_collect_sample_api_source =
    "%NeverOptimizeFunction(start);\n"
    "function start() {\n"
    "  CallStaticCollectSample();\n"
    "}";

static void CallStaticCollectSample(
    const v8::FunctionCallbackInfo<v8::Value>& info) {
  v8::CpuProfiler::CollectSample(info.GetIsolate());
}

TEST(StaticCollectSampleAPI) {
  i::FLAG_allow_natives_syntax = true;
  LocalContext env;
  v8::HandleScope scope(env->GetIsolate());

  v8::Local<v8::FunctionTemplate> func_template =
      v8::FunctionTemplate::New(env->GetIsolate(), CallStaticCollectSample);
  v8::Local<v8::Function> func =
      func_template->GetFunction(env.local()).ToLocalChecked();
  func->SetName(v8_str("CallStaticCollectSample"));
  env->Global()
      ->Set(env.local(), v8_str("CallStaticCollectSample"), func)
      .FromJust();

  CompileRun(js_collect_sample_api_source);
  v8::Local<v8::Function> function = GetFunction(env.local(), "start");

  ProfilerHelper helper(env.local());
  v8::CpuProfile* profile = helper.Run(function, nullptr, 0, 100);

  const v8::CpuProfileNode* root = profile->GetTopDownRoot();
  const v8::CpuProfileNode* start_node = GetChild(env.local(), root, "start");
  GetChild(env.local(), start_node, "CallStaticCollectSample");

  profile->Delete();
}

2879 2880
TEST(CodeEntriesMemoryLeak) {
  v8::HandleScope scope(CcTest::isolate());
2881
  v8::Local<v8::Context> env = CcTest::NewContext({PROFILER_EXTENSION_ID});
2882 2883 2884 2885 2886 2887 2888 2889 2890 2891 2892 2893 2894 2895 2896 2897 2898 2899 2900 2901
  v8::Context::Scope context_scope(env);

  std::string source = "function start() {}\n";
  for (int i = 0; i < 1000; ++i) {
    source += "function foo" + std::to_string(i) + "() { return " +
              std::to_string(i) +
              "; }\n"
              "foo" +
              std::to_string(i) + "();\n";
  }
  CompileRun(source.c_str());
  v8::Local<v8::Function> function = GetFunction(env, "start");

  ProfilerHelper helper(env);

  for (int j = 0; j < 100; ++j) {
    v8::CpuProfile* profile = helper.Run(function, nullptr, 0);
    profile->Delete();
  }

2902 2903 2904
  i::CpuProfiler* profiler =
      reinterpret_cast<i::CpuProfiler*>(helper.profiler());
  CHECK(!profiler->profiler_listener_for_test());
2905 2906
}

2907 2908 2909 2910 2911 2912 2913 2914
TEST(NativeFrameStackTrace) {
  // A test for issue https://crbug.com/768540
  // When a sample lands in a native function which has not EXIT frame
  // stack frame iterator used to bail out and produce an empty stack trace.
  // The source code below makes v8 call the
  // v8::internal::StringTable::LookupStringIfExists_NoAllocate native function
  // without producing an EXIT frame.
  v8::HandleScope scope(CcTest::isolate());
2915
  v8::Local<v8::Context> env = CcTest::NewContext({PROFILER_EXTENSION_ID});
2916 2917 2918 2919 2920 2921 2922 2923 2924 2925 2926 2927 2928 2929 2930 2931 2932
  v8::Context::Scope context_scope(env);

  const char* source = R"(
      function jsFunction() {
        var s = {};
        for (var i = 0; i < 1e4; ++i) {
          for (var j = 0; j < 100; j++) {
            s['item' + j] = 'alph';
          }
        }
      })";

  CompileRun(source);
  v8::Local<v8::Function> function = GetFunction(env, "jsFunction");

  ProfilerHelper helper(env);

2933
  v8::CpuProfile* profile = helper.Run(function, nullptr, 0, 100, 0);
2934 2935 2936 2937 2938 2939 2940 2941 2942 2943 2944 2945 2946 2947 2948 2949 2950 2951 2952 2953

  // Count the fraction of samples landing in 'jsFunction' (valid stack)
  // vs '(program)' (no stack captured).
  const v8::CpuProfileNode* root = profile->GetTopDownRoot();
  const v8::CpuProfileNode* js_function = FindChild(root, "jsFunction");
  const v8::CpuProfileNode* program = FindChild(root, "(program)");
  if (program) {
    unsigned js_function_samples = TotalHitCount(js_function);
    unsigned program_samples = TotalHitCount(program);
    double valid_samples_ratio =
        1. * js_function_samples / (js_function_samples + program_samples);
    i::PrintF("Ratio: %f\n", valid_samples_ratio);
    // TODO(alph): Investigate other causes of dropped frames. The ratio
    // should be close to 99%.
    CHECK_GE(valid_samples_ratio, 0.3);
  }

  profile->Delete();
}

2954
TEST(SourcePositionTable) {
2955
  i::SourcePositionTable info;
2956 2957 2958

  // Newly created tables should return NoLineNumberInfo for any lookup.
  int no_info = v8::CpuProfileNode::kNoLineNumberInfo;
2959 2960
  CHECK_EQ(no_info, info.GetSourceLineNumber(std::numeric_limits<int>::min()));
  CHECK_EQ(no_info, info.GetSourceLineNumber(0));
2961
  CHECK_EQ(SourcePosition::kNotInlined, info.GetInliningId(0));
2962 2963 2964 2965 2966 2967 2968 2969
  CHECK_EQ(no_info, info.GetSourceLineNumber(1));
  CHECK_EQ(no_info, info.GetSourceLineNumber(9));
  CHECK_EQ(no_info, info.GetSourceLineNumber(10));
  CHECK_EQ(no_info, info.GetSourceLineNumber(11));
  CHECK_EQ(no_info, info.GetSourceLineNumber(19));
  CHECK_EQ(no_info, info.GetSourceLineNumber(20));
  CHECK_EQ(no_info, info.GetSourceLineNumber(21));
  CHECK_EQ(no_info, info.GetSourceLineNumber(100));
2970
  CHECK_EQ(SourcePosition::kNotInlined, info.GetInliningId(100));
2971 2972
  CHECK_EQ(no_info, info.GetSourceLineNumber(std::numeric_limits<int>::max()));

2973 2974
  info.SetPosition(10, 1, SourcePosition::kNotInlined);
  info.SetPosition(20, 2, SourcePosition::kNotInlined);
2975

2976 2977
  // The only valid return values are 1 or 2 - every pc maps to a line
  // number.
2978 2979 2980 2981 2982 2983 2984
  CHECK_EQ(1, info.GetSourceLineNumber(std::numeric_limits<int>::min()));
  CHECK_EQ(1, info.GetSourceLineNumber(0));
  CHECK_EQ(1, info.GetSourceLineNumber(1));
  CHECK_EQ(1, info.GetSourceLineNumber(9));
  CHECK_EQ(1, info.GetSourceLineNumber(10));
  CHECK_EQ(1, info.GetSourceLineNumber(11));
  CHECK_EQ(1, info.GetSourceLineNumber(19));
2985
  CHECK_EQ(1, info.GetSourceLineNumber(20));
2986 2987 2988
  CHECK_EQ(2, info.GetSourceLineNumber(21));
  CHECK_EQ(2, info.GetSourceLineNumber(100));
  CHECK_EQ(2, info.GetSourceLineNumber(std::numeric_limits<int>::max()));
2989

2990 2991 2992
  CHECK_EQ(SourcePosition::kNotInlined, info.GetInliningId(0));
  CHECK_EQ(SourcePosition::kNotInlined, info.GetInliningId(100));

2993
  // Test SetPosition behavior.
2994
  info.SetPosition(25, 3, 0);
2995 2996 2997
  CHECK_EQ(2, info.GetSourceLineNumber(21));
  CHECK_EQ(3, info.GetSourceLineNumber(100));
  CHECK_EQ(3, info.GetSourceLineNumber(std::numeric_limits<int>::max()));
2998 2999 3000

  CHECK_EQ(SourcePosition::kNotInlined, info.GetInliningId(21));
  CHECK_EQ(0, info.GetInliningId(100));
3001 3002 3003 3004 3005 3006 3007 3008 3009

  // Test that subsequent SetPosition calls with the same pc_offset are ignored.
  info.SetPosition(25, 4, SourcePosition::kNotInlined);
  CHECK_EQ(2, info.GetSourceLineNumber(21));
  CHECK_EQ(3, info.GetSourceLineNumber(100));
  CHECK_EQ(3, info.GetSourceLineNumber(std::numeric_limits<int>::max()));

  CHECK_EQ(SourcePosition::kNotInlined, info.GetInliningId(21));
  CHECK_EQ(0, info.GetInliningId(100));
3010 3011
}

3012 3013 3014 3015 3016 3017 3018 3019 3020
TEST(MultipleProfilers) {
  std::unique_ptr<CpuProfiler> profiler1(new CpuProfiler(CcTest::i_isolate()));
  std::unique_ptr<CpuProfiler> profiler2(new CpuProfiler(CcTest::i_isolate()));
  profiler1->StartProfiling("1");
  profiler2->StartProfiling("2");
  profiler1->StopProfiling("1");
  profiler2->StopProfiling("2");
}

3021 3022 3023 3024 3025 3026 3027 3028 3029 3030 3031 3032 3033 3034 3035 3036
// Tests that logged CodeCreateEvent calls do not crash a reused CpuProfiler.
// crbug.com/929928
TEST(CrashReusedProfiler) {
  LocalContext env;
  i::Isolate* isolate = CcTest::i_isolate();
  i::HandleScope scope(isolate);

  std::unique_ptr<CpuProfiler> profiler(new CpuProfiler(isolate));
  profiler->StartProfiling("1");
  profiler->StopProfiling("1");

  profiler->StartProfiling("2");
  CreateCode(&env);
  profiler->StopProfiling("2");
}

3037 3038 3039 3040 3041 3042 3043 3044 3045 3046 3047 3048 3049
// Tests that samples from different profilers on the same isolate do not leak
// samples to each other. See crbug.com/v8/8835.
TEST(MultipleProfilersSampleIndependently) {
  LocalContext env;
  i::Isolate* isolate = CcTest::i_isolate();
  i::HandleScope scope(isolate);

  // Create two profilers- one slow ticking one, and one fast ticking one.
  // Ensure that the slow ticking profiler does not receive samples from the
  // fast ticking one.
  std::unique_ptr<CpuProfiler> slow_profiler(
      new CpuProfiler(CcTest::i_isolate()));
  slow_profiler->set_sampling_interval(base::TimeDelta::FromSeconds(1));
3050
  slow_profiler->StartProfiling("1", {kLeafNodeLineNumbers});
3051 3052 3053 3054 3055 3056 3057 3058 3059 3060 3061 3062

  CompileRun(R"(
    function start() {
      let val = 1;
      for (let i = 0; i < 10e3; i++) {
        val = (val * 2) % 3;
      }
      return val;
    }
  )");
  v8::Local<v8::Function> function = GetFunction(env.local(), "start");
  ProfilerHelper helper(env.local());
3063
  v8::CpuProfile* profile = helper.Run(function, nullptr, 0, 100, 0);
3064 3065 3066 3067 3068

  auto slow_profile = slow_profiler->StopProfiling("1");
  CHECK_GT(profile->GetSamplesCount(), slow_profile->samples_count());
}

3069 3070 3071 3072 3073 3074 3075 3076 3077 3078 3079
void ProfileSomeCode(v8::Isolate* isolate) {
  v8::Isolate::Scope isolate_scope(isolate);
  v8::HandleScope scope(isolate);
  LocalContext context(isolate);

  v8::CpuProfiler* profiler = v8::CpuProfiler::New(isolate);

  v8::Local<v8::String> profile_name = v8_str("1");
  profiler->StartProfiling(profile_name);
  const char* source = R"(
      function foo() {
3080
        var x = 0;
3081
        for (var i = 0; i < 1e3; i++) {
3082
          for (var j = 0; j < 1e3; j++) {
3083
            x = i * j;
3084 3085
          }
        }
3086
        return x;
3087 3088 3089 3090 3091 3092 3093 3094 3095 3096 3097 3098 3099 3100 3101 3102 3103 3104 3105 3106 3107 3108 3109 3110 3111 3112 3113
      }
      foo();
    )";

  CompileRun(source);
  profiler->StopProfiling(profile_name);
  profiler->Dispose();
}

class IsolateThread : public v8::base::Thread {
 public:
  IsolateThread() : Thread(Options("IsolateThread")) {}

  void Run() override {
    v8::Isolate::CreateParams create_params;
    create_params.array_buffer_allocator = CcTest::array_buffer_allocator();
    v8::Isolate* isolate = v8::Isolate::New(create_params);
    ProfileSomeCode(isolate);
    isolate->Dispose();
  }
};

// Checking for crashes and TSAN issues with multiple isolates profiling.
TEST(MultipleIsolates) {
  IsolateThread thread1;
  IsolateThread thread2;

3114 3115
  CHECK(thread1.Start());
  CHECK(thread2.Start());
3116 3117 3118 3119 3120

  thread1.Join();
  thread2.Join();
}

3121 3122 3123 3124 3125 3126 3127 3128
// Tests that StopProfiling doesn't wait for the next sample tick in order to
// stop, but rather exits early before a given wait threshold.
TEST(FastStopProfiling) {
  static const base::TimeDelta kLongInterval = base::TimeDelta::FromSeconds(10);
  static const base::TimeDelta kWaitThreshold = base::TimeDelta::FromSeconds(5);

  std::unique_ptr<CpuProfiler> profiler(new CpuProfiler(CcTest::i_isolate()));
  profiler->set_sampling_interval(kLongInterval);
3129
  profiler->StartProfiling("", {kLeafNodeLineNumbers});
3130 3131 3132 3133 3134 3135 3136 3137 3138

  v8::Platform* platform = v8::internal::V8::GetCurrentPlatform();
  double start = platform->CurrentClockTimeMillis();
  profiler->StopProfiling("");
  double duration = platform->CurrentClockTimeMillis() - start;

  CHECK_LT(duration, kWaitThreshold.InMillisecondsF());
}

3139 3140 3141
TEST(LowPrecisionSamplingStartStopInternal) {
  i::Isolate* isolate = CcTest::i_isolate();
  CpuProfilesCollection profiles(isolate);
3142 3143
  ProfilerCodeObserver code_observer(isolate);
  ProfileGenerator generator(&profiles, code_observer.code_map());
3144
  std::unique_ptr<ProfilerEventsProcessor> processor(
3145
      new SamplingEventsProcessor(isolate, &generator, &code_observer,
3146 3147
                                  v8::base::TimeDelta::FromMicroseconds(100),
                                  false));
3148
  CHECK(processor->Start());
3149 3150 3151 3152 3153 3154 3155 3156 3157 3158 3159 3160 3161 3162
  processor->StopSynchronously();
}

TEST(LowPrecisionSamplingStartStopPublic) {
  LocalContext env;
  v8::HandleScope scope(env->GetIsolate());
  v8::CpuProfiler* cpu_profiler = v8::CpuProfiler::New(env->GetIsolate());
  cpu_profiler->SetUsePreciseSampling(false);
  v8::Local<v8::String> profile_name = v8_str("");
  cpu_profiler->StartProfiling(profile_name, true);
  cpu_profiler->StopProfiling(profile_name);
  cpu_profiler->Dispose();
}

3163 3164 3165 3166 3167 3168 3169 3170 3171 3172 3173 3174 3175 3176 3177 3178 3179 3180 3181 3182 3183 3184 3185 3186 3187 3188 3189 3190 3191 3192 3193 3194 3195 3196 3197 3198 3199 3200 3201 3202 3203 3204 3205 3206 3207 3208 3209 3210 3211 3212 3213 3214 3215 3216 3217 3218 3219 3220 3221 3222 3223 3224 3225 3226 3227 3228 3229 3230 3231 3232 3233 3234
const char* naming_test_source = R"(
  (function testAssignmentPropertyNamedFunction() {
    let object = {};
    object.propNamed = function () {
      CallCollectSample();
    };
    object.propNamed();
  })();
  )";

TEST(StandardNaming) {
  LocalContext env;
  i::Isolate* isolate = CcTest::i_isolate();
  i::HandleScope scope(isolate);

  v8::Local<v8::FunctionTemplate> func_template =
      v8::FunctionTemplate::New(env->GetIsolate(), CallCollectSample);
  v8::Local<v8::Function> func =
      func_template->GetFunction(env.local()).ToLocalChecked();
  func->SetName(v8_str("CallCollectSample"));
  env->Global()->Set(env.local(), v8_str("CallCollectSample"), func).FromJust();

  v8::CpuProfiler* profiler =
      v8::CpuProfiler::New(env->GetIsolate(), kStandardNaming);

  const auto profile_name = v8_str("");
  profiler->StartProfiling(profile_name);
  CompileRun(naming_test_source);
  auto* profile = profiler->StopProfiling(profile_name);

  auto* root = profile->GetTopDownRoot();
  auto* toplevel = FindChild(root, "");
  DCHECK(toplevel);

  auto* prop_assignment_named_test =
      GetChild(env.local(), toplevel, "testAssignmentPropertyNamedFunction");
  CHECK(FindChild(prop_assignment_named_test, ""));

  profiler->Dispose();
}

TEST(DebugNaming) {
  LocalContext env;
  i::Isolate* isolate = CcTest::i_isolate();
  i::HandleScope scope(isolate);

  v8::Local<v8::FunctionTemplate> func_template =
      v8::FunctionTemplate::New(env->GetIsolate(), CallCollectSample);
  v8::Local<v8::Function> func =
      func_template->GetFunction(env.local()).ToLocalChecked();
  func->SetName(v8_str("CallCollectSample"));
  env->Global()->Set(env.local(), v8_str("CallCollectSample"), func).FromJust();

  v8::CpuProfiler* profiler =
      v8::CpuProfiler::New(env->GetIsolate(), kDebugNaming);

  const auto profile_name = v8_str("");
  profiler->StartProfiling(profile_name);
  CompileRun(naming_test_source);
  auto* profile = profiler->StopProfiling(profile_name);

  auto* root = profile->GetTopDownRoot();
  auto* toplevel = FindChild(root, "");
  DCHECK(toplevel);

  auto* prop_assignment_named_test =
      GetChild(env.local(), toplevel, "testAssignmentPropertyNamedFunction");
  CHECK(FindChild(prop_assignment_named_test, "object.propNamed"));

  profiler->Dispose();
}

3235 3236 3237 3238 3239 3240 3241 3242 3243 3244 3245 3246 3247 3248 3249 3250 3251 3252 3253
TEST(SampleLimit) {
  LocalContext env;
  i::Isolate* isolate = CcTest::i_isolate();
  i::HandleScope scope(isolate);

  CompileRun(R"(
    function start() {
      let val = 1;
      for (let i = 0; i < 10e3; i++) {
        val = (val * 2) % 3;
      }
      return val;
    }
  )");

  // Take 100 samples of `start`, but set the max samples to 50.
  v8::Local<v8::Function> function = GetFunction(env.local(), "start");
  ProfilerHelper helper(env.local());
  v8::CpuProfile* profile =
3254
      helper.Run(function, nullptr, 0, 100, 0,
3255 3256 3257 3258 3259
                 v8::CpuProfilingMode::kLeafNodeLineNumbers, 50);

  CHECK_EQ(profile->GetSamplesCount(), 50);
}

3260 3261 3262 3263 3264 3265 3266 3267
// Tests that a CpuProfile instance subsamples from a stream of tick samples
// appropriately.
TEST(ProflilerSubsampling) {
  LocalContext env;
  i::Isolate* isolate = CcTest::i_isolate();
  i::HandleScope scope(isolate);

  CpuProfilesCollection* profiles = new CpuProfilesCollection(isolate);
3268 3269 3270 3271 3272 3273 3274 3275 3276
  ProfilerCodeObserver code_observer(isolate);
  ProfileGenerator* generator =
      new ProfileGenerator(profiles, code_observer.code_map());
  ProfilerEventsProcessor* processor =
      new SamplingEventsProcessor(isolate, generator, &code_observer,
                                  v8::base::TimeDelta::FromMicroseconds(1),
                                  /* use_precise_sampling */ true);
  CpuProfiler profiler(isolate, kDebugNaming, kLazyLogging, profiles, generator,
                       processor);
3277 3278 3279

  // Create a new CpuProfile that wants samples at 8us.
  CpuProfile profile(&profiler, "",
3280
                     {v8::CpuProfilingMode::kLeafNodeLineNumbers,
3281 3282 3283 3284 3285 3286 3287 3288 3289 3290 3291 3292 3293 3294 3295 3296 3297 3298 3299 3300 3301 3302 3303 3304 3305 3306 3307 3308 3309 3310 3311 3312
                      v8::CpuProfilingOptions::kNoSampleLimit, 8});
  // Verify that the first sample is always included.
  CHECK(profile.CheckSubsample(base::TimeDelta::FromMicroseconds(10)));

  // 4 2us samples should result in one 8us sample.
  CHECK(!profile.CheckSubsample(base::TimeDelta::FromMicroseconds(2)));
  CHECK(!profile.CheckSubsample(base::TimeDelta::FromMicroseconds(2)));
  CHECK(!profile.CheckSubsample(base::TimeDelta::FromMicroseconds(2)));
  CHECK(profile.CheckSubsample(base::TimeDelta::FromMicroseconds(2)));

  // Profiles should expect the source sample interval to change, in which case
  // they should still take the first sample elapsed after their interval.
  CHECK(!profile.CheckSubsample(base::TimeDelta::FromMicroseconds(2)));
  CHECK(!profile.CheckSubsample(base::TimeDelta::FromMicroseconds(2)));
  CHECK(!profile.CheckSubsample(base::TimeDelta::FromMicroseconds(2)));
  CHECK(profile.CheckSubsample(base::TimeDelta::FromMicroseconds(4)));

  // Aligned samples (at 8us) are always included.
  CHECK(profile.CheckSubsample(base::TimeDelta::FromMicroseconds(8)));

  // Samples with a rate of 0 should always be included.
  CHECK(profile.CheckSubsample(base::TimeDelta::FromMicroseconds(0)));
}

// Tests that the base sampling rate of a CpuProfilesCollection is dynamically
// chosen based on the GCD of its child profiles.
TEST(DynamicResampling) {
  LocalContext env;
  i::Isolate* isolate = CcTest::i_isolate();
  i::HandleScope scope(isolate);

  CpuProfilesCollection* profiles = new CpuProfilesCollection(isolate);
3313 3314 3315 3316 3317 3318 3319 3320 3321
  ProfilerCodeObserver code_observer(isolate);
  ProfileGenerator* generator =
      new ProfileGenerator(profiles, code_observer.code_map());
  ProfilerEventsProcessor* processor =
      new SamplingEventsProcessor(isolate, generator, &code_observer,
                                  v8::base::TimeDelta::FromMicroseconds(1),
                                  /* use_precise_sampling */ true);
  CpuProfiler profiler(isolate, kDebugNaming, kLazyLogging, profiles, generator,
                       processor);
3322 3323 3324 3325 3326 3327 3328 3329 3330 3331

  // Set a 1us base sampling rate, dividing all possible intervals.
  profiler.set_sampling_interval(base::TimeDelta::FromMicroseconds(1));

  // Verify that the sampling interval with no started profilers is unset.
  CHECK_EQ(profiles->GetCommonSamplingInterval(), base::TimeDelta());

  // Add a 10us profiler, verify that the base sampling interval is as high as
  // possible (10us).
  profiles->StartProfiling("10us",
3332
                           {v8::CpuProfilingMode::kLeafNodeLineNumbers,
3333 3334 3335 3336 3337 3338
                            v8::CpuProfilingOptions::kNoSampleLimit, 10});
  CHECK_EQ(profiles->GetCommonSamplingInterval(),
           base::TimeDelta::FromMicroseconds(10));

  // Add a 5us profiler, verify that the base sampling interval is as high as
  // possible given a 10us and 5us profiler (5us).
3339 3340
  profiles->StartProfiling("5us", {v8::CpuProfilingMode::kLeafNodeLineNumbers,
                                   v8::CpuProfilingOptions::kNoSampleLimit, 5});
3341 3342 3343 3344 3345
  CHECK_EQ(profiles->GetCommonSamplingInterval(),
           base::TimeDelta::FromMicroseconds(5));

  // Add a 3us profiler, verify that the base sampling interval is 1us (due to
  // coprime intervals).
3346 3347
  profiles->StartProfiling("3us", {v8::CpuProfilingMode::kLeafNodeLineNumbers,
                                   v8::CpuProfilingOptions::kNoSampleLimit, 3});
3348 3349 3350 3351 3352 3353 3354 3355 3356 3357 3358 3359 3360 3361 3362 3363 3364 3365 3366 3367 3368 3369 3370 3371 3372 3373 3374
  CHECK_EQ(profiles->GetCommonSamplingInterval(),
           base::TimeDelta::FromMicroseconds(1));

  // Remove the 5us profiler, verify that the sample interval stays at 1us.
  profiles->StopProfiling("5us");
  CHECK_EQ(profiles->GetCommonSamplingInterval(),
           base::TimeDelta::FromMicroseconds(1));

  // Remove the 10us profiler, verify that the sample interval becomes 3us.
  profiles->StopProfiling("10us");
  CHECK_EQ(profiles->GetCommonSamplingInterval(),
           base::TimeDelta::FromMicroseconds(3));

  // Remove the 3us profiler, verify that the sample interval becomes unset.
  profiles->StopProfiling("3us");
  CHECK_EQ(profiles->GetCommonSamplingInterval(), base::TimeDelta());
}

// Ensures that when a non-unit base sampling interval is set on the profiler,
// that the sampling rate gets snapped to the nearest multiple prior to GCD
// computation.
TEST(DynamicResamplingWithBaseInterval) {
  LocalContext env;
  i::Isolate* isolate = CcTest::i_isolate();
  i::HandleScope scope(isolate);

  CpuProfilesCollection* profiles = new CpuProfilesCollection(isolate);
3375 3376 3377 3378 3379 3380 3381 3382 3383
  ProfilerCodeObserver code_observer(isolate);
  ProfileGenerator* generator =
      new ProfileGenerator(profiles, code_observer.code_map());
  ProfilerEventsProcessor* processor =
      new SamplingEventsProcessor(isolate, generator, &code_observer,
                                  v8::base::TimeDelta::FromMicroseconds(1),
                                  /* use_precise_sampling */ true);
  CpuProfiler profiler(isolate, kDebugNaming, kLazyLogging, profiles, generator,
                       processor);
3384 3385 3386 3387 3388 3389 3390 3391

  profiler.set_sampling_interval(base::TimeDelta::FromMicroseconds(7));

  // Verify that the sampling interval with no started profilers is unset.
  CHECK_EQ(profiles->GetCommonSamplingInterval(), base::TimeDelta());

  // Add a profiler with an unset sampling interval, verify that the common
  // sampling interval is equal to the base.
3392 3393
  profiles->StartProfiling("unset", {v8::CpuProfilingMode::kLeafNodeLineNumbers,
                                     v8::CpuProfilingOptions::kNoSampleLimit});
3394 3395 3396 3397 3398
  CHECK_EQ(profiles->GetCommonSamplingInterval(),
           base::TimeDelta::FromMicroseconds(7));
  profiles->StopProfiling("unset");

  // Adding a 8us sampling interval rounds to a 14us base interval.
3399 3400
  profiles->StartProfiling("8us", {v8::CpuProfilingMode::kLeafNodeLineNumbers,
                                   v8::CpuProfilingOptions::kNoSampleLimit, 8});
3401 3402 3403 3404
  CHECK_EQ(profiles->GetCommonSamplingInterval(),
           base::TimeDelta::FromMicroseconds(14));

  // Adding a 4us sampling interval should cause a lowering to a 7us interval.
3405 3406
  profiles->StartProfiling("4us", {v8::CpuProfilingMode::kLeafNodeLineNumbers,
                                   v8::CpuProfilingOptions::kNoSampleLimit, 4});
3407 3408 3409 3410 3411 3412 3413 3414 3415 3416 3417 3418 3419 3420 3421 3422 3423
  CHECK_EQ(profiles->GetCommonSamplingInterval(),
           base::TimeDelta::FromMicroseconds(7));

  // Removing the 4us sampling interval should restore the 14us sampling
  // interval.
  profiles->StopProfiling("4us");
  CHECK_EQ(profiles->GetCommonSamplingInterval(),
           base::TimeDelta::FromMicroseconds(14));

  // Removing the 8us sampling interval should unset the common sampling
  // interval.
  profiles->StopProfiling("8us");
  CHECK_EQ(profiles->GetCommonSamplingInterval(), base::TimeDelta());

  // A sampling interval of 0us should enforce all profiles to have a sampling
  // interval of 0us (the only multiple of 0).
  profiler.set_sampling_interval(base::TimeDelta::FromMicroseconds(0));
3424 3425
  profiles->StartProfiling("5us", {v8::CpuProfilingMode::kLeafNodeLineNumbers,
                                   v8::CpuProfilingOptions::kNoSampleLimit, 5});
3426 3427 3428 3429 3430
  CHECK_EQ(profiles->GetCommonSamplingInterval(),
           base::TimeDelta::FromMicroseconds(0));
  profiles->StopProfiling("5us");
}

3431 3432 3433 3434 3435 3436 3437 3438 3439 3440 3441 3442 3443 3444 3445 3446 3447 3448 3449 3450 3451 3452 3453 3454 3455 3456 3457 3458 3459 3460 3461 3462 3463 3464 3465 3466 3467 3468 3469 3470 3471 3472 3473 3474
// Tests that functions compiled after a started profiler is stopped are still
// visible when the profiler is started again. (https://crbug.com/v8/9151)
TEST(Bug9151StaleCodeEntries) {
  LocalContext env;
  v8::HandleScope scope(env->GetIsolate());

  v8::Local<v8::FunctionTemplate> func_template =
      v8::FunctionTemplate::New(env->GetIsolate(), CallCollectSample);
  v8::Local<v8::Function> func =
      func_template->GetFunction(env.local()).ToLocalChecked();
  func->SetName(v8_str("CallCollectSample"));
  env->Global()->Set(env.local(), v8_str("CallCollectSample"), func).FromJust();

  v8::CpuProfiler* profiler =
      v8::CpuProfiler::New(env->GetIsolate(), kDebugNaming, kEagerLogging);
  v8::Local<v8::String> profile_name = v8_str("");

  // Warm up the profiler to create the initial code map.
  profiler->StartProfiling(profile_name);
  profiler->StopProfiling(profile_name);

  // Log a function compilation (executed once to force a compilation).
  CompileRun(R"(
      function start() {
        CallCollectSample();
      }
      start();
  )");

  // Restart the profiler, and execute both the JS function and callback.
  profiler->StartProfiling(profile_name, true);
  CompileRun("start();");
  v8::CpuProfile* profile = profiler->StopProfiling(profile_name);

  auto* root = profile->GetTopDownRoot();
  auto* toplevel = GetChild(env.local(), root, "");

  auto* start = FindChild(env.local(), toplevel, "start");
  CHECK(start);

  auto* callback = FindChild(env.local(), start, "CallCollectSample");
  CHECK(callback);
}

3475 3476 3477 3478 3479 3480 3481 3482 3483 3484 3485 3486 3487 3488 3489 3490 3491 3492 3493 3494 3495 3496 3497 3498 3499 3500 3501 3502 3503 3504 3505 3506 3507 3508 3509 3510 3511 3512 3513 3514 3515 3516 3517 3518 3519 3520 3521 3522 3523 3524 3525 3526 3527 3528 3529 3530 3531 3532 3533 3534 3535 3536 3537 3538 3539 3540 3541 3542 3543 3544 3545 3546 3547 3548 3549 3550 3551 3552 3553 3554 3555 3556 3557 3558 3559 3560 3561 3562 3563 3564 3565 3566 3567 3568 3569 3570 3571 3572 3573 3574 3575 3576 3577 3578 3579 3580 3581 3582 3583 3584 3585 3586 3587 3588 3589 3590 3591 3592 3593 3594 3595 3596 3597 3598 3599 3600 3601 3602 3603 3604 3605 3606 3607 3608
// Tests that functions from other contexts aren't recorded when filtering for
// another context.
TEST(ContextIsolation) {
  i::FLAG_allow_natives_syntax = true;
  LocalContext execution_env;
  i::HandleScope scope(CcTest::i_isolate());

  // Install CollectSample callback for more deterministic sampling.
  v8::Local<v8::FunctionTemplate> func_template = v8::FunctionTemplate::New(
      execution_env.local()->GetIsolate(), CallCollectSample);
  v8::Local<v8::Function> func =
      func_template->GetFunction(execution_env.local()).ToLocalChecked();
  func->SetName(v8_str("CallCollectSample"));
  execution_env->Global()
      ->Set(execution_env.local(), v8_str("CallCollectSample"), func)
      .FromJust();

  ProfilerHelper helper(execution_env.local());
  CompileRun(R"(
    function optimized() {
      CallCollectSample();
    }

    function unoptimized() {
      CallCollectSample();
    }

    function start() {
      // Test optimized functions
      %PrepareFunctionForOptimization(optimized);
      optimized();
      optimized();
      %OptimizeFunctionOnNextCall(optimized);
      optimized();

      // Test unoptimized functions
      %NeverOptimizeFunction(unoptimized);
      unoptimized();

      // Test callback
      CallCollectSample();
    }
  )");
  v8::Local<v8::Function> function =
      GetFunction(execution_env.local(), "start");

  v8::CpuProfile* same_context_profile = helper.Run(
      function, nullptr, 0, 0, 0, v8::CpuProfilingMode::kLeafNodeLineNumbers,
      v8::CpuProfilingOptions::kNoSampleLimit, execution_env.local());
  const v8::CpuProfileNode* root = same_context_profile->GetTopDownRoot();
  const v8::CpuProfileNode* start_node = FindChild(root, "start");
  CHECK(start_node);
  const v8::CpuProfileNode* optimized_node = FindChild(start_node, "optimized");
  CHECK(optimized_node);
  const v8::CpuProfileNode* unoptimized_node =
      FindChild(start_node, "unoptimized");
  CHECK(unoptimized_node);
  const v8::CpuProfileNode* callback_node =
      FindChild(start_node, "CallCollectSample");
  CHECK(callback_node);

  {
    LocalContext filter_env;
    v8::CpuProfile* diff_context_profile = helper.Run(
        function, nullptr, 0, 0, 0, v8::CpuProfilingMode::kLeafNodeLineNumbers,
        v8::CpuProfilingOptions::kNoSampleLimit, filter_env.local());
    const v8::CpuProfileNode* diff_root =
        diff_context_profile->GetTopDownRoot();
    // Ensure that no children were recorded (including callbacks, builtins).
    CHECK(!FindChild(diff_root, "start"));
  }
}

// Tests that when a native context that's being filtered is moved, we continue
// to track its execution.
TEST(ContextFilterMovedNativeContext) {
  i::FLAG_allow_natives_syntax = true;
  i::FLAG_manual_evacuation_candidates_selection = true;
  LocalContext env;
  i::HandleScope scope(CcTest::i_isolate());

  {
    // Install CollectSample callback for more deterministic sampling.
    v8::Local<v8::FunctionTemplate> sample_func_template =
        v8::FunctionTemplate::New(env.local()->GetIsolate(), CallCollectSample);
    v8::Local<v8::Function> sample_func =
        sample_func_template->GetFunction(env.local()).ToLocalChecked();
    sample_func->SetName(v8_str("CallCollectSample"));
    env->Global()
        ->Set(env.local(), v8_str("CallCollectSample"), sample_func)
        .FromJust();

    // Install a function that triggers the native context to be moved.
    v8::Local<v8::FunctionTemplate> move_func_template =
        v8::FunctionTemplate::New(
            env.local()->GetIsolate(),
            [](const v8::FunctionCallbackInfo<v8::Value>& info) {
              i::Isolate* isolate =
                  reinterpret_cast<i::Isolate*>(info.GetIsolate());
              i::heap::ForceEvacuationCandidate(
                  i::Page::FromHeapObject(isolate->raw_native_context()));
              CcTest::CollectAllGarbage();
            });
    v8::Local<v8::Function> move_func =
        move_func_template->GetFunction(env.local()).ToLocalChecked();
    move_func->SetName(v8_str("ForceNativeContextMove"));
    env->Global()
        ->Set(env.local(), v8_str("ForceNativeContextMove"), move_func)
        .FromJust();

    ProfilerHelper helper(env.local());
    CompileRun(R"(
      function start() {
        ForceNativeContextMove();
        CallCollectSample();
      }
    )");
    v8::Local<v8::Function> function = GetFunction(env.local(), "start");

    v8::CpuProfile* profile = helper.Run(
        function, nullptr, 0, 0, 0, v8::CpuProfilingMode::kLeafNodeLineNumbers,
        v8::CpuProfilingOptions::kNoSampleLimit, env.local());
    const v8::CpuProfileNode* root = profile->GetTopDownRoot();
    const v8::CpuProfileNode* start_node = FindChild(root, "start");
    CHECK(start_node);

    // Verify that after moving the native context, CallCollectSample is still
    // recorded.
    const v8::CpuProfileNode* callback_node =
        FindChild(start_node, "CallCollectSample");
    CHECK(callback_node);
  }
}

3609 3610 3611 3612 3613 3614
enum class EntryCountMode { kAll, kOnlyInlined };

// Count the number of unique source positions.
int GetSourcePositionEntryCount(i::Isolate* isolate, const char* source,
                                EntryCountMode mode = EntryCountMode::kAll) {
  std::unordered_set<int64_t> raw_position_set;
3615 3616 3617 3618 3619 3620
  i::Handle<i::JSFunction> function = i::Handle<i::JSFunction>::cast(
      v8::Utils::OpenHandle(*CompileRun(source)));
  if (function->IsInterpreted()) return -1;
  i::Handle<i::Code> code(function->code(), isolate);
  i::SourcePositionTableIterator iterator(
      ByteArray::cast(code->source_position_table()));
3621

3622
  while (!iterator.done()) {
3623 3624 3625 3626
    if (mode == EntryCountMode::kAll ||
        iterator.source_position().isInlined()) {
      raw_position_set.insert(iterator.source_position().raw());
    }
3627 3628
    iterator.Advance();
  }
3629
  return static_cast<int>(raw_position_set.size());
3630 3631 3632 3633 3634 3635 3636 3637 3638 3639 3640 3641 3642 3643 3644
}

UNINITIALIZED_TEST(DetailedSourcePositionAPI) {
  i::FLAG_detailed_line_info = false;
  i::FLAG_allow_natives_syntax = true;
  v8::Isolate::CreateParams create_params;
  create_params.array_buffer_allocator = CcTest::array_buffer_allocator();
  v8::Isolate* isolate = v8::Isolate::New(create_params);

  const char* source =
      "function fib(i) {"
      "  if (i <= 1) return 1; "
      "  return fib(i - 1) +"
      "         fib(i - 2);"
      "}"
3645
      "%PrepareFunctionForOptimization(fib);\n"
3646 3647 3648 3649 3650 3651 3652 3653 3654 3655 3656 3657 3658 3659 3660 3661 3662 3663 3664 3665 3666 3667 3668 3669 3670 3671 3672
      "fib(5);"
      "%OptimizeFunctionOnNextCall(fib);"
      "fib(5);"
      "fib";
  {
    v8::Isolate::Scope isolate_scope(isolate);
    v8::HandleScope handle_scope(isolate);
    v8::Local<v8::Context> context = v8::Context::New(isolate);
    v8::Context::Scope context_scope(context);
    i::Isolate* i_isolate = reinterpret_cast<i::Isolate*>(isolate);

    CHECK(!i_isolate->NeedsDetailedOptimizedCodeLineInfo());

    int non_detailed_positions = GetSourcePositionEntryCount(i_isolate, source);

    v8::CpuProfiler::UseDetailedSourcePositionsForProfiling(isolate);
    CHECK(i_isolate->NeedsDetailedOptimizedCodeLineInfo());

    int detailed_positions = GetSourcePositionEntryCount(i_isolate, source);

    CHECK((non_detailed_positions == -1 && detailed_positions == -1) ||
          non_detailed_positions < detailed_positions);
  }

  isolate->Dispose();
}

3673 3674
UNINITIALIZED_TEST(DetailedSourcePositionAPI_Inlining) {
  i::FLAG_detailed_line_info = false;
3675
  i::FLAG_turbo_inlining = true;
3676 3677 3678 3679 3680 3681 3682 3683 3684 3685 3686 3687 3688 3689 3690 3691 3692 3693 3694 3695
  i::FLAG_stress_inline = true;
  i::FLAG_always_opt = false;
  i::FLAG_allow_natives_syntax = true;
  v8::Isolate::CreateParams create_params;
  create_params.array_buffer_allocator = CcTest::array_buffer_allocator();
  v8::Isolate* isolate = v8::Isolate::New(create_params);

  const char* source = R"(
    function foo(x) {
      return bar(x) + 1;
    }

    function bar(x) {
      var y = 1;
      for (var i = 0; i < x; ++i) {
        y = y * x;
      }
      return x;
    }

3696
    %EnsureFeedbackVectorForFunction(bar);
3697
    %PrepareFunctionForOptimization(foo);
3698 3699 3700 3701 3702 3703 3704 3705 3706 3707 3708 3709 3710 3711 3712 3713 3714 3715 3716 3717 3718 3719 3720 3721 3722 3723 3724 3725 3726 3727 3728 3729 3730 3731 3732 3733 3734 3735 3736
    foo(5);
    %OptimizeFunctionOnNextCall(foo);
    foo(5);
    foo;
  )";

  {
    v8::Isolate::Scope isolate_scope(isolate);
    v8::HandleScope handle_scope(isolate);
    v8::Local<v8::Context> context = v8::Context::New(isolate);
    v8::Context::Scope context_scope(context);
    i::Isolate* i_isolate = reinterpret_cast<i::Isolate*>(isolate);

    CHECK(!i_isolate->NeedsDetailedOptimizedCodeLineInfo());

    int non_detailed_positions =
        GetSourcePositionEntryCount(i_isolate, source, EntryCountMode::kAll);
    int non_detailed_inlined_positions = GetSourcePositionEntryCount(
        i_isolate, source, EntryCountMode::kOnlyInlined);

    v8::CpuProfiler::UseDetailedSourcePositionsForProfiling(isolate);
    CHECK(i_isolate->NeedsDetailedOptimizedCodeLineInfo());

    int detailed_positions =
        GetSourcePositionEntryCount(i_isolate, source, EntryCountMode::kAll);
    int detailed_inlined_positions = GetSourcePositionEntryCount(
        i_isolate, source, EntryCountMode::kOnlyInlined);

    if (non_detailed_positions == -1) {
      CHECK_EQ(non_detailed_positions, detailed_positions);
    } else {
      CHECK_LT(non_detailed_positions, detailed_positions);
      CHECK_LT(non_detailed_inlined_positions, detailed_inlined_positions);
    }
  }

  isolate->Dispose();
}

3737 3738 3739
}  // namespace test_cpu_profiler
}  // namespace internal
}  // namespace v8