Commit 0aef84da authored by Mircea Trofin's avatar Mircea Trofin Committed by Commit Bot

Revert "Revert "Reland "Introducing an event loop mechanism for d8."""

This reverts commit 619dfed4.

Original CL:  https://chromium-review.googlesource.com/c/494968/

Bug: 
Change-Id: Ib4a1f481e46f1972420cc8f8d2192bb6c470e08d
Reviewed-on: https://chromium-review.googlesource.com/501650
Commit-Queue: Brad Nelson <bradnelson@chromium.org>
Reviewed-by: 's avatarBrad Nelson <bradnelson@chromium.org>
Cr-Commit-Position: refs/heads/master@{#45240}
parent 386cd83e
...@@ -15,6 +15,11 @@ namespace platform { ...@@ -15,6 +15,11 @@ namespace platform {
enum class IdleTaskSupport { kDisabled, kEnabled }; enum class IdleTaskSupport { kDisabled, kEnabled };
enum class InProcessStackDumping { kDisabled, kEnabled }; enum class InProcessStackDumping { kDisabled, kEnabled };
enum class MessageLoopBehavior : bool {
kDoNotWait = false,
kWaitForWork = true
};
/** /**
* Returns a new instance of the default v8::Platform implementation. * Returns a new instance of the default v8::Platform implementation.
* *
...@@ -36,12 +41,16 @@ V8_PLATFORM_EXPORT v8::Platform* CreateDefaultPlatform( ...@@ -36,12 +41,16 @@ V8_PLATFORM_EXPORT v8::Platform* CreateDefaultPlatform(
* Pumps the message loop for the given isolate. * Pumps the message loop for the given isolate.
* *
* The caller has to make sure that this is called from the right thread. * The caller has to make sure that this is called from the right thread.
* Returns true if a task was executed, and false otherwise. This call does * Returns true if a task was executed, and false otherwise. Unless requested
* not block if no task is pending. The |platform| has to be created using * through the |behavior| parameter, this call does not block if no task is
* |CreateDefaultPlatform|. * pending. The |platform| has to be created using |CreateDefaultPlatform|.
*/ */
V8_PLATFORM_EXPORT bool PumpMessageLoop(v8::Platform* platform, V8_PLATFORM_EXPORT bool PumpMessageLoop(
v8::Isolate* isolate); v8::Platform* platform, v8::Isolate* isolate,
MessageLoopBehavior behavior = MessageLoopBehavior::kDoNotWait);
V8_PLATFORM_EXPORT void EnsureEventLoopInitialized(v8::Platform* platform,
v8::Isolate* isolate);
/** /**
* Runs pending idle tasks for at most |idle_time_in_seconds| seconds. * Runs pending idle tasks for at most |idle_time_in_seconds| seconds.
......
...@@ -422,6 +422,8 @@ base::LazyMutex Shell::workers_mutex_; ...@@ -422,6 +422,8 @@ base::LazyMutex Shell::workers_mutex_;
bool Shell::allow_new_workers_ = true; bool Shell::allow_new_workers_ = true;
i::List<Worker*> Shell::workers_; i::List<Worker*> Shell::workers_;
std::vector<ExternalizedContents> Shell::externalized_contents_; std::vector<ExternalizedContents> Shell::externalized_contents_;
base::LazyMutex Shell::isolate_status_lock_;
std::map<v8::Isolate*, bool> Shell::isolate_status_;
Global<Context> Shell::evaluation_context_; Global<Context> Shell::evaluation_context_;
ArrayBuffer::Allocator* Shell::array_buffer_allocator; ArrayBuffer::Allocator* Shell::array_buffer_allocator;
...@@ -1345,6 +1347,15 @@ void Shell::Quit(const v8::FunctionCallbackInfo<v8::Value>& args) { ...@@ -1345,6 +1347,15 @@ void Shell::Quit(const v8::FunctionCallbackInfo<v8::Value>& args) {
const_cast<v8::FunctionCallbackInfo<v8::Value>*>(&args)); const_cast<v8::FunctionCallbackInfo<v8::Value>*>(&args));
} }
// Note that both WaitUntilDone and NotifyDone are no-op when
// --verify-predictable. See comment in Shell::EnsureEventLoopInitialized.
void Shell::WaitUntilDone(const v8::FunctionCallbackInfo<v8::Value>& args) {
SetWaitUntilDone(args.GetIsolate(), true);
}
void Shell::NotifyDone(const v8::FunctionCallbackInfo<v8::Value>& args) {
SetWaitUntilDone(args.GetIsolate(), false);
}
void Shell::Version(const v8::FunctionCallbackInfo<v8::Value>& args) { void Shell::Version(const v8::FunctionCallbackInfo<v8::Value>& args) {
args.GetReturnValue().Set( args.GetReturnValue().Set(
...@@ -1582,6 +1593,19 @@ Local<ObjectTemplate> Shell::CreateGlobalTemplate(Isolate* isolate) { ...@@ -1582,6 +1593,19 @@ Local<ObjectTemplate> Shell::CreateGlobalTemplate(Isolate* isolate) {
.ToLocalChecked(), .ToLocalChecked(),
FunctionTemplate::New(isolate, Quit)); FunctionTemplate::New(isolate, Quit));
} }
Local<ObjectTemplate> test_template = ObjectTemplate::New(isolate);
global_template->Set(
String::NewFromUtf8(isolate, "testRunner", NewStringType::kNormal)
.ToLocalChecked(),
test_template);
test_template->Set(
String::NewFromUtf8(isolate, "notifyDone", NewStringType::kNormal)
.ToLocalChecked(),
FunctionTemplate::New(isolate, NotifyDone));
test_template->Set(
String::NewFromUtf8(isolate, "waitUntilDone", NewStringType::kNormal)
.ToLocalChecked(),
FunctionTemplate::New(isolate, WaitUntilDone));
global_template->Set( global_template->Set(
String::NewFromUtf8(isolate, "version", NewStringType::kNormal) String::NewFromUtf8(isolate, "version", NewStringType::kNormal)
.ToLocalChecked(), .ToLocalChecked(),
...@@ -2266,6 +2290,8 @@ void SourceGroup::ExecuteInThread() { ...@@ -2266,6 +2290,8 @@ void SourceGroup::ExecuteInThread() {
create_params.host_import_module_dynamically_callback_ = create_params.host_import_module_dynamically_callback_ =
Shell::HostImportModuleDynamically; Shell::HostImportModuleDynamically;
Isolate* isolate = Isolate::New(create_params); Isolate* isolate = Isolate::New(create_params);
Shell::EnsureEventLoopInitialized(isolate);
D8Console console(isolate); D8Console console(isolate);
debug::SetConsoleDelegate(isolate, &console); debug::SetConsoleDelegate(isolate, &console);
for (int i = 0; i < Shell::options.stress_runs; ++i) { for (int i = 0; i < Shell::options.stress_runs; ++i) {
...@@ -2286,6 +2312,7 @@ void SourceGroup::ExecuteInThread() { ...@@ -2286,6 +2312,7 @@ void SourceGroup::ExecuteInThread() {
DisposeModuleEmbedderData(context); DisposeModuleEmbedderData(context);
} }
Shell::CollectGarbage(isolate); Shell::CollectGarbage(isolate);
Shell::CompleteMessageLoop(isolate);
} }
done_semaphore_.Signal(); done_semaphore_.Signal();
} }
...@@ -2646,6 +2673,7 @@ int Shell::RunMain(Isolate* isolate, int argc, char* argv[], bool last_run) { ...@@ -2646,6 +2673,7 @@ int Shell::RunMain(Isolate* isolate, int argc, char* argv[], bool last_run) {
options.isolate_sources[i].StartExecuteInThread(); options.isolate_sources[i].StartExecuteInThread();
} }
{ {
EnsureEventLoopInitialized(isolate);
if (options.lcov_file) { if (options.lcov_file) {
debug::Coverage::SelectMode(isolate, debug::Coverage::kPreciseCount); debug::Coverage::SelectMode(isolate, debug::Coverage::kPreciseCount);
} }
...@@ -2668,6 +2696,7 @@ int Shell::RunMain(Isolate* isolate, int argc, char* argv[], bool last_run) { ...@@ -2668,6 +2696,7 @@ int Shell::RunMain(Isolate* isolate, int argc, char* argv[], bool last_run) {
WriteLcovData(isolate, options.lcov_file); WriteLcovData(isolate, options.lcov_file);
} }
CollectGarbage(isolate); CollectGarbage(isolate);
CompleteMessageLoop(isolate);
for (int i = 1; i < options.num_isolates; ++i) { for (int i = 1; i < options.num_isolates; ++i) {
if (last_run) { if (last_run) {
options.isolate_sources[i].JoinThread(); options.isolate_sources[i].JoinThread();
...@@ -2695,24 +2724,55 @@ void Shell::CollectGarbage(Isolate* isolate) { ...@@ -2695,24 +2724,55 @@ void Shell::CollectGarbage(Isolate* isolate) {
} }
} }
void Shell::EmptyMessageQueues(Isolate* isolate) { void Shell::EnsureEventLoopInitialized(Isolate* isolate) {
// When using PredictablePlatform (i.e. FLAG_verify_predictable),
// we don't need event loop support, because tasks are completed
// immediately - both background and foreground ones.
if (!i::FLAG_verify_predictable) {
v8::platform::EnsureEventLoopInitialized(g_platform, isolate);
SetWaitUntilDone(isolate, false);
}
}
void Shell::SetWaitUntilDone(Isolate* isolate, bool value) {
base::LockGuard<base::Mutex> guard(isolate_status_lock_.Pointer());
if (isolate_status_.count(isolate) == 0) {
isolate_status_.insert(std::make_pair(isolate, value));
} else {
isolate_status_[isolate] = value;
}
}
bool Shell::IsWaitUntilDone(Isolate* isolate) {
base::LockGuard<base::Mutex> guard(isolate_status_lock_.Pointer());
DCHECK_GT(isolate_status_.count(isolate), 0);
return isolate_status_[isolate];
}
void Shell::CompleteMessageLoop(Isolate* isolate) {
// See comment in EnsureEventLoopInitialized.
if (i::FLAG_verify_predictable) return; if (i::FLAG_verify_predictable) return;
while (true) { while (v8::platform::PumpMessageLoop(
// Pump the message loop until it is empty. g_platform, isolate,
while (v8::platform::PumpMessageLoop(g_platform, isolate)) { Shell::IsWaitUntilDone(isolate)
isolate->RunMicrotasks(); ? platform::MessageLoopBehavior::kWaitForWork
} : platform::MessageLoopBehavior::kDoNotWait)) {
// Run the idle tasks. isolate->RunMicrotasks();
v8::platform::RunIdleTasks(g_platform, isolate,
50.0 / base::Time::kMillisecondsPerSecond);
// If there are still outstanding waiters, sleep a little (to wait for
// background tasks) and then try everything again.
if (reinterpret_cast<i::Isolate*>(isolate)->GetWaitCountForTesting() > 0) {
base::OS::Sleep(base::TimeDelta::FromMilliseconds(1));
} else {
break;
}
} }
v8::platform::RunIdleTasks(g_platform, isolate,
50.0 / base::Time::kMillisecondsPerSecond);
}
void Shell::EmptyMessageQueues(Isolate* isolate) {
if (i::FLAG_verify_predictable) return;
// Pump the message loop until it is empty.
while (v8::platform::PumpMessageLoop(
g_platform, isolate, platform::MessageLoopBehavior::kDoNotWait)) {
isolate->RunMicrotasks();
}
// Run the idle tasks.
v8::platform::RunIdleTasks(g_platform, isolate,
50.0 / base::Time::kMillisecondsPerSecond);
} }
class Serializer : public ValueSerializer::Delegate { class Serializer : public ValueSerializer::Delegate {
......
...@@ -6,6 +6,7 @@ ...@@ -6,6 +6,7 @@
#define V8_D8_H_ #define V8_D8_H_
#include <iterator> #include <iterator>
#include <map>
#include <memory> #include <memory>
#include <string> #include <string>
#include <vector> #include <vector>
...@@ -356,6 +357,8 @@ class Shell : public i::AllStatic { ...@@ -356,6 +357,8 @@ class Shell : public i::AllStatic {
static void OnExit(Isolate* isolate); static void OnExit(Isolate* isolate);
static void CollectGarbage(Isolate* isolate); static void CollectGarbage(Isolate* isolate);
static void EmptyMessageQueues(Isolate* isolate); static void EmptyMessageQueues(Isolate* isolate);
static void EnsureEventLoopInitialized(Isolate* isolate);
static void CompleteMessageLoop(Isolate* isolate);
static std::unique_ptr<SerializationData> SerializeValue( static std::unique_ptr<SerializationData> SerializeValue(
Isolate* isolate, Local<Value> value, Local<Value> transfer); Isolate* isolate, Local<Value> value, Local<Value> transfer);
...@@ -391,6 +394,8 @@ class Shell : public i::AllStatic { ...@@ -391,6 +394,8 @@ class Shell : public i::AllStatic {
static void Print(const v8::FunctionCallbackInfo<v8::Value>& args); static void Print(const v8::FunctionCallbackInfo<v8::Value>& args);
static void PrintErr(const v8::FunctionCallbackInfo<v8::Value>& args); static void PrintErr(const v8::FunctionCallbackInfo<v8::Value>& args);
static void Write(const v8::FunctionCallbackInfo<v8::Value>& args); static void Write(const v8::FunctionCallbackInfo<v8::Value>& args);
static void WaitUntilDone(const v8::FunctionCallbackInfo<v8::Value>& args);
static void NotifyDone(const v8::FunctionCallbackInfo<v8::Value>& args);
static void QuitOnce(v8::FunctionCallbackInfo<v8::Value>* args); static void QuitOnce(v8::FunctionCallbackInfo<v8::Value>* args);
static void Quit(const v8::FunctionCallbackInfo<v8::Value>& args); static void Quit(const v8::FunctionCallbackInfo<v8::Value>& args);
static void Version(const v8::FunctionCallbackInfo<v8::Value>& args); static void Version(const v8::FunctionCallbackInfo<v8::Value>& args);
...@@ -455,6 +460,9 @@ class Shell : public i::AllStatic { ...@@ -455,6 +460,9 @@ class Shell : public i::AllStatic {
static ShellOptions options; static ShellOptions options;
static ArrayBuffer::Allocator* array_buffer_allocator; static ArrayBuffer::Allocator* array_buffer_allocator;
static void SetWaitUntilDone(Isolate* isolate, bool value);
static bool IsWaitUntilDone(Isolate* isolate);
private: private:
static Global<Context> evaluation_context_; static Global<Context> evaluation_context_;
static base::OnceType quit_once_; static base::OnceType quit_once_;
...@@ -489,6 +497,10 @@ class Shell : public i::AllStatic { ...@@ -489,6 +497,10 @@ class Shell : public i::AllStatic {
int index); int index);
static MaybeLocal<Module> FetchModuleTree(v8::Local<v8::Context> context, static MaybeLocal<Module> FetchModuleTree(v8::Local<v8::Context> context,
const std::string& file_name); const std::string& file_name);
// We may have multiple isolates running concurrently, so the access to
// the isolate_status_ needs to be concurrency-safe.
static base::LazyMutex isolate_status_lock_;
static std::map<Isolate*, bool> isolate_status_;
}; };
......
...@@ -1291,11 +1291,6 @@ class Isolate { ...@@ -1291,11 +1291,6 @@ class Isolate {
// reset to nullptr. // reset to nullptr.
void UnregisterFromReleaseAtTeardown(ManagedObjectFinalizer** finalizer_ptr); void UnregisterFromReleaseAtTeardown(ManagedObjectFinalizer** finalizer_ptr);
// Used by mjsunit tests to force d8 to wait for certain things to run.
inline void IncrementWaitCountForTesting() { wait_count_++; }
inline void DecrementWaitCountForTesting() { wait_count_--; }
inline int GetWaitCountForTesting() { return wait_count_; }
protected: protected:
explicit Isolate(bool enable_serializer); explicit Isolate(bool enable_serializer);
bool IsArrayOrObjectPrototype(Object* object); bool IsArrayOrObjectPrototype(Object* object);
...@@ -1582,8 +1577,6 @@ class Isolate { ...@@ -1582,8 +1577,6 @@ class Isolate {
size_t total_regexp_code_generated_; size_t total_regexp_code_generated_;
int wait_count_ = 0;
friend class ExecutionAccess; friend class ExecutionAccess;
friend class HandleScopeImplementer; friend class HandleScopeImplementer;
friend class HeapTester; friend class HeapTester;
......
...@@ -41,9 +41,15 @@ v8::Platform* CreateDefaultPlatform( ...@@ -41,9 +41,15 @@ v8::Platform* CreateDefaultPlatform(
return platform; return platform;
} }
bool PumpMessageLoop(v8::Platform* platform, v8::Isolate* isolate,
MessageLoopBehavior behavior) {
return reinterpret_cast<DefaultPlatform*>(platform)->PumpMessageLoop(
isolate, behavior);
}
bool PumpMessageLoop(v8::Platform* platform, v8::Isolate* isolate) { void EnsureEventLoopInitialized(v8::Platform* platform, v8::Isolate* isolate) {
return reinterpret_cast<DefaultPlatform*>(platform)->PumpMessageLoop(isolate); return reinterpret_cast<DefaultPlatform*>(platform)
->EnsureEventLoopInitialized(isolate);
} }
void RunIdleTasks(v8::Platform* platform, v8::Isolate* isolate, void RunIdleTasks(v8::Platform* platform, v8::Isolate* isolate,
...@@ -158,7 +164,30 @@ IdleTask* DefaultPlatform::PopTaskInMainThreadIdleQueue(v8::Isolate* isolate) { ...@@ -158,7 +164,30 @@ IdleTask* DefaultPlatform::PopTaskInMainThreadIdleQueue(v8::Isolate* isolate) {
return task; return task;
} }
bool DefaultPlatform::PumpMessageLoop(v8::Isolate* isolate) { void DefaultPlatform::EnsureEventLoopInitialized(v8::Isolate* isolate) {
base::LockGuard<base::Mutex> guard(&lock_);
if (event_loop_control_.count(isolate) == 0) {
event_loop_control_.insert(std::make_pair(
isolate, std::unique_ptr<base::Semaphore>(new base::Semaphore(0))));
}
}
void DefaultPlatform::WaitForForegroundWork(v8::Isolate* isolate) {
base::Semaphore* semaphore = nullptr;
{
base::LockGuard<base::Mutex> guard(&lock_);
DCHECK_EQ(event_loop_control_.count(isolate), 1);
semaphore = event_loop_control_[isolate].get();
}
DCHECK_NOT_NULL(semaphore);
semaphore->Wait();
}
bool DefaultPlatform::PumpMessageLoop(v8::Isolate* isolate,
MessageLoopBehavior behavior) {
if (behavior == MessageLoopBehavior::kWaitForWork) {
WaitForForegroundWork(isolate);
}
Task* task = NULL; Task* task = NULL;
{ {
base::LockGuard<base::Mutex> guard(&lock_); base::LockGuard<base::Mutex> guard(&lock_);
...@@ -166,14 +195,14 @@ bool DefaultPlatform::PumpMessageLoop(v8::Isolate* isolate) { ...@@ -166,14 +195,14 @@ bool DefaultPlatform::PumpMessageLoop(v8::Isolate* isolate) {
// Move delayed tasks that hit their deadline to the main queue. // Move delayed tasks that hit their deadline to the main queue.
task = PopTaskInMainThreadDelayedQueue(isolate); task = PopTaskInMainThreadDelayedQueue(isolate);
while (task != NULL) { while (task != NULL) {
main_thread_queue_[isolate].push(task); ScheduleOnForegroundThread(isolate, task);
task = PopTaskInMainThreadDelayedQueue(isolate); task = PopTaskInMainThreadDelayedQueue(isolate);
} }
task = PopTaskInMainThreadQueue(isolate); task = PopTaskInMainThreadQueue(isolate);
if (task == NULL) { if (task == NULL) {
return false; return behavior == MessageLoopBehavior::kWaitForWork;
} }
} }
task->Run(); task->Run();
...@@ -206,10 +235,17 @@ void DefaultPlatform::CallOnBackgroundThread(Task* task, ...@@ -206,10 +235,17 @@ void DefaultPlatform::CallOnBackgroundThread(Task* task,
queue_.Append(task); queue_.Append(task);
} }
void DefaultPlatform::ScheduleOnForegroundThread(v8::Isolate* isolate,
Task* task) {
main_thread_queue_[isolate].push(task);
if (event_loop_control_.count(isolate) != 0) {
event_loop_control_[isolate]->Signal();
}
}
void DefaultPlatform::CallOnForegroundThread(v8::Isolate* isolate, Task* task) { void DefaultPlatform::CallOnForegroundThread(v8::Isolate* isolate, Task* task) {
base::LockGuard<base::Mutex> guard(&lock_); base::LockGuard<base::Mutex> guard(&lock_);
main_thread_queue_[isolate].push(task); ScheduleOnForegroundThread(isolate, task);
} }
......
...@@ -41,7 +41,10 @@ class V8_PLATFORM_EXPORT DefaultPlatform : public NON_EXPORTED_BASE(Platform) { ...@@ -41,7 +41,10 @@ class V8_PLATFORM_EXPORT DefaultPlatform : public NON_EXPORTED_BASE(Platform) {
void EnsureInitialized(); void EnsureInitialized();
bool PumpMessageLoop(v8::Isolate* isolate); bool PumpMessageLoop(
v8::Isolate* isolate,
MessageLoopBehavior behavior = MessageLoopBehavior::kDoNotWait);
void EnsureEventLoopInitialized(v8::Isolate* isolate);
void RunIdleTasks(v8::Isolate* isolate, double idle_time_in_seconds); void RunIdleTasks(v8::Isolate* isolate, double idle_time_in_seconds);
...@@ -81,6 +84,9 @@ class V8_PLATFORM_EXPORT DefaultPlatform : public NON_EXPORTED_BASE(Platform) { ...@@ -81,6 +84,9 @@ class V8_PLATFORM_EXPORT DefaultPlatform : public NON_EXPORTED_BASE(Platform) {
Task* PopTaskInMainThreadDelayedQueue(v8::Isolate* isolate); Task* PopTaskInMainThreadDelayedQueue(v8::Isolate* isolate);
IdleTask* PopTaskInMainThreadIdleQueue(v8::Isolate* isolate); IdleTask* PopTaskInMainThreadIdleQueue(v8::Isolate* isolate);
void WaitForForegroundWork(v8::Isolate* isolate);
void ScheduleOnForegroundThread(v8::Isolate* isolate, Task* task);
base::Mutex lock_; base::Mutex lock_;
bool initialized_; bool initialized_;
int thread_pool_size_; int thread_pool_size_;
...@@ -89,6 +95,7 @@ class V8_PLATFORM_EXPORT DefaultPlatform : public NON_EXPORTED_BASE(Platform) { ...@@ -89,6 +95,7 @@ class V8_PLATFORM_EXPORT DefaultPlatform : public NON_EXPORTED_BASE(Platform) {
TaskQueue queue_; TaskQueue queue_;
std::map<v8::Isolate*, std::queue<Task*>> main_thread_queue_; std::map<v8::Isolate*, std::queue<Task*>> main_thread_queue_;
std::map<v8::Isolate*, std::queue<IdleTask*>> main_thread_idle_queue_; std::map<v8::Isolate*, std::queue<IdleTask*>> main_thread_idle_queue_;
std::map<v8::Isolate*, std::unique_ptr<base::Semaphore>> event_loop_control_;
typedef std::pair<double, Task*> DelayedEntry; typedef std::pair<double, Task*> DelayedEntry;
std::map<v8::Isolate*, std::map<v8::Isolate*,
......
...@@ -1019,15 +1019,5 @@ RUNTIME_FUNCTION(Runtime_RedirectToWasmInterpreter) { ...@@ -1019,15 +1019,5 @@ RUNTIME_FUNCTION(Runtime_RedirectToWasmInterpreter) {
return isolate->heap()->undefined_value(); return isolate->heap()->undefined_value();
} }
RUNTIME_FUNCTION(Runtime_IncrementWaitCount) {
isolate->IncrementWaitCountForTesting();
return isolate->heap()->undefined_value();
}
RUNTIME_FUNCTION(Runtime_DecrementWaitCount) {
isolate->DecrementWaitCountForTesting();
return isolate->heap()->undefined_value();
}
} // namespace internal } // namespace internal
} // namespace v8 } // namespace v8
...@@ -471,9 +471,7 @@ namespace internal { ...@@ -471,9 +471,7 @@ namespace internal {
F(PromiseRevokeReject, 1, 1) \ F(PromiseRevokeReject, 1, 1) \
F(PromiseResult, 1, 1) \ F(PromiseResult, 1, 1) \
F(PromiseStatus, 1, 1) \ F(PromiseStatus, 1, 1) \
F(ReportPromiseReject, 2, 1) \ F(ReportPromiseReject, 2, 1)
F(IncrementWaitCount, 0, 1) \
F(DecrementWaitCount, 0, 1)
#define FOR_EACH_INTRINSIC_PROXY(F) \ #define FOR_EACH_INTRINSIC_PROXY(F) \
F(IsJSProxy, 1, 1) \ F(IsJSProxy, 1, 1) \
......
...@@ -233,7 +233,8 @@ function testProtoSetter1_2() { ...@@ -233,7 +233,8 @@ function testProtoSetter1_2() {
} }
for (var n in this) { for (var n in this) {
if (n.substr(0, 4) != 'test') { if (n.substr(0, 4) != 'test' ||
n == 'testRunner') {
continue; continue;
} }
state = 1; state = 1;
......
...@@ -8,14 +8,6 @@ ...@@ -8,14 +8,6 @@
// exceptions which are swallowed in a then clause. // exceptions which are swallowed in a then clause.
failWithMessage = (msg) => %AbortJS(msg); failWithMessage = (msg) => %AbortJS(msg);
let decrement = () => { %DecrementWaitCount(); }
let increment = () => { %IncrementWaitCount(); }
function WaitForPromise(p) {
increment();
p.then(decrement, decrement);
}
function newPromise() { function newPromise() {
var outerResolve; var outerResolve;
var outerReject; var outerReject;
...@@ -23,7 +15,7 @@ function newPromise() { ...@@ -23,7 +15,7 @@ function newPromise() {
outerResolve = resolve; outerResolve = resolve;
outerReject = reject; outerReject = reject;
}); });
WaitForPromise(promise); // explicitly wait for promise to resolve. Promise.resolve(promise);
return { return {
resolve: outerResolve, resolve: outerResolve,
reject: outerReject, reject: outerReject,
......
...@@ -123,6 +123,9 @@ var assertMatches; ...@@ -123,6 +123,9 @@ var assertMatches;
// Assert the result of a promise. // Assert the result of a promise.
var assertPromiseResult; var assertPromiseResult;
var promiseTestChain;
var promiseTestCount = 0;
// These bits must be in sync with bits defined in Runtime_GetOptimizationStatus // These bits must be in sync with bits defined in Runtime_GetOptimizationStatus
var V8OptimizationStatus = { var V8OptimizationStatus = {
kIsFunction: 1 << 0, kIsFunction: 1 << 0,
...@@ -499,21 +502,35 @@ var failWithMessage; ...@@ -499,21 +502,35 @@ var failWithMessage;
// We have to patch mjsunit because normal assertion failures just throw // We have to patch mjsunit because normal assertion failures just throw
// exceptions which are swallowed in a then clause. // exceptions which are swallowed in a then clause.
// We use eval here to avoid parsing issues with the natives syntax. // We use eval here to avoid parsing issues with the natives syntax.
if (!success) success = () => {};
failWithMessage = (msg) => eval("%AbortJS(msg)"); failWithMessage = (msg) => eval("%AbortJS(msg)");
if (!fail) if (!fail) {
fail = result => failWithMessage("assertPromiseResult failed: " + result); fail = result => failWithMessage("assertPromiseResult failed: " + result);
}
eval("%IncrementWaitCount()"); var test_promise =
return promise.then( promise.then(
result => { result => {
eval("%DecrementWaitCount()"); try {
success(result); success(result);
}, } catch (e) {
result => { failWithMessage(e);
eval("%DecrementWaitCount()"); }
fail(result); },
} result => {
); fail(result);
}
)
.then((x)=> {
if (--promiseTestCount == 0) testRunner.notifyDone();
});
if (!promiseTestChain) promiseTestChain = Promise.resolve();
// waitUntilDone is idempotent.
testRunner.waitUntilDone();
++promiseTestCount;
return promiseTestChain.then(test_promise);
}; };
var OptimizationStatusImpl = undefined; var OptimizationStatusImpl = undefined;
......
...@@ -20,14 +20,7 @@ function assertCompileError(buffer) { ...@@ -20,14 +20,7 @@ function assertCompileError(buffer) {
ex => assertTrue(ex instanceof WebAssembly.CompileError)); ex => assertTrue(ex instanceof WebAssembly.CompileError));
} }
// These tests execute asynchronously. In order to avoid executing several tests assertPromiseResult(async function basicCompile() {
// concurrently (which makes debugging much harder), build a promise chain to
// start the next task only after the previous one ended.
let testChain = Promise.resolve();
let addTest = fun => testChain = testChain.then(() => fun());
addTest(async function basicCompile() {
let ok_buffer = (() => { let ok_buffer = (() => {
var builder = new WasmModuleBuilder(); var builder = new WasmModuleBuilder();
builder.addFunction('f', kSig_i_v) builder.addFunction('f', kSig_i_v)
...@@ -58,9 +51,9 @@ addTest(async function basicCompile() { ...@@ -58,9 +51,9 @@ addTest(async function basicCompile() {
for (var i = 0; i < kNumCompiles; i++) { for (var i = 0; i < kNumCompiles; i++) {
await assertCompileError(bad_buffer); await assertCompileError(bad_buffer);
} }
}); }());
addTest(async function badFunctionInTheMiddle() { assertPromiseResult(async function badFunctionInTheMiddle() {
// We had an error where an exception was generated by a background task and // We had an error where an exception was generated by a background task and
// later thrown in a foreground task. The handle to the exception died // later thrown in a foreground task. The handle to the exception died
// inbetween, since the HandleScope was left. // inbetween, since the HandleScope was left.
...@@ -76,4 +69,4 @@ addTest(async function badFunctionInTheMiddle() { ...@@ -76,4 +69,4 @@ addTest(async function badFunctionInTheMiddle() {
} }
let buffer = builder.toBuffer(); let buffer = builder.toBuffer();
await assertCompileError(buffer); await assertCompileError(buffer);
}); }());
...@@ -106,8 +106,4 @@ async function TestAll() { ...@@ -106,8 +106,4 @@ async function TestAll() {
await FailAsyncInstantiate(); await FailAsyncInstantiate();
} }
%IncrementWaitCount(); assertPromiseResult(TestAll());
TestAll().then(
() => { %DecrementWaitCount(); },
() => { %DecrementWaitCount(); }
);
...@@ -70,7 +70,7 @@ function CheckInstance(instance) { ...@@ -70,7 +70,7 @@ function CheckInstance(instance) {
print('async instantiate...'); print('async instantiate...');
let instance_promise = WebAssembly.instantiate(buffer); let instance_promise = WebAssembly.instantiate(buffer);
assertPromiseResult(instance_promise, CheckInstance); assertPromiseResult(instance_promise, pair => CheckInstance(pair.instance));
})(); })();
// Check that validate works correctly for a module. // Check that validate works correctly for a module.
......
...@@ -30,8 +30,6 @@ assertPromiseResult( ...@@ -30,8 +30,6 @@ assertPromiseResult(
return WebAssembly.instantiate(wrapper); return WebAssembly.instantiate(wrapper);
})(), })(),
pair => { pair => {
print(2);
var pair = result.pair;
assertTrue(pair.instance instanceof WebAssembly.Instance); assertTrue(pair.instance instanceof WebAssembly.Instance);
assertTrue(pair.module instanceof WebAssembly.Module); assertTrue(pair.module instanceof WebAssembly.Module);
%ResetWasmOverloads(); %ResetWasmOverloads();
......
Markdown is supported
0% or
You are about to add 0 people to the discussion. Proceed with caution.
Finish editing this message first!
Please register or to comment