Remove linux_chromium_gn_dbg from the chromium CQ.
[chromium-blink-merge.git] / extensions / renderer / module_system.cc
blobe760849602b9f8f4b768abcf519268289ccbb6d9
1 // Copyright 2014 The Chromium Authors. All rights reserved.
2 // Use of this source code is governed by a BSD-style license that can be
3 // found in the LICENSE file.
5 #include "extensions/renderer/module_system.h"
7 #include "base/bind.h"
8 #include "base/command_line.h"
9 #include "base/logging.h"
10 #include "base/stl_util.h"
11 #include "base/strings/string_util.h"
12 #include "base/strings/stringprintf.h"
13 #include "base/trace_event/trace_event.h"
14 #include "content/public/renderer/render_frame.h"
15 #include "content/public/renderer/render_view.h"
16 #include "extensions/common/extension.h"
17 #include "extensions/common/extensions_client.h"
18 #include "extensions/renderer/console.h"
19 #include "extensions/renderer/safe_builtins.h"
20 #include "extensions/renderer/script_context.h"
21 #include "extensions/renderer/script_context_set.h"
22 #include "extensions/renderer/v8_helpers.h"
23 #include "gin/modules/module_registry.h"
24 #include "third_party/WebKit/public/web/WebFrame.h"
25 #include "third_party/WebKit/public/web/WebScopedMicrotaskSuppression.h"
27 namespace extensions {
29 using namespace v8_helpers;
31 namespace {
33 const char* kModuleSystem = "module_system";
34 const char* kModuleName = "module_name";
35 const char* kModuleField = "module_field";
36 const char* kModulesField = "modules";
38 // Logs an error for the calling context in preparation for potentially
39 // crashing the renderer, with some added metadata about the context:
40 // - Its type (blessed, unblessed, etc).
41 // - Whether it's valid.
42 // - The extension ID, if one exists.
43 // Crashing won't happen in stable/beta releases, but is encouraged to happen
44 // in the less stable released to catch errors early.
45 void Fatal(ScriptContext* context, const std::string& message) {
46 // Prepend some context metadata.
47 std::string full_message = "(";
48 if (!context->is_valid())
49 full_message += "Invalid ";
50 full_message += context->GetContextTypeDescription();
51 full_message += " context";
52 if (context->extension()) {
53 full_message += " for ";
54 full_message += context->extension()->id();
56 full_message += ") ";
57 full_message += message;
59 ExtensionsClient* client = ExtensionsClient::Get();
60 if (client->ShouldSuppressFatalErrors()) {
61 console::Error(context->GetRenderFrame(), full_message);
62 client->RecordDidSuppressFatalError();
63 } else {
64 console::Fatal(context->GetRenderFrame(), full_message);
68 void Warn(v8::Isolate* isolate, const std::string& message) {
69 ScriptContext* script_context =
70 ScriptContextSet::GetContextByV8Context(isolate->GetCallingContext());
71 console::Warn(script_context ? script_context->GetRenderFrame() : nullptr,
72 message);
75 // Default exception handler which logs the exception.
76 class DefaultExceptionHandler : public ModuleSystem::ExceptionHandler {
77 public:
78 explicit DefaultExceptionHandler(ScriptContext* context)
79 : ModuleSystem::ExceptionHandler(context) {}
81 // Fatally dumps the debug info from |try_catch| to the console.
82 // Make sure this is never used for exceptions that originate in external
83 // code!
84 void HandleUncaughtException(const v8::TryCatch& try_catch) override {
85 v8::HandleScope handle_scope(context_->isolate());
86 std::string stack_trace = "<stack trace unavailable>";
87 v8::Local<v8::Value> v8_stack_trace;
88 if (try_catch.StackTrace(context_->v8_context()).ToLocal(&v8_stack_trace)) {
89 v8::String::Utf8Value stack_value(v8_stack_trace);
90 if (*stack_value)
91 stack_trace.assign(*stack_value, stack_value.length());
92 else
93 stack_trace = "<could not convert stack trace to string>";
95 Fatal(context_, CreateExceptionString(try_catch) + "{" + stack_trace + "}");
99 } // namespace
101 std::string ModuleSystem::ExceptionHandler::CreateExceptionString(
102 const v8::TryCatch& try_catch) {
103 v8::Local<v8::Message> message(try_catch.Message());
104 if (message.IsEmpty()) {
105 return "try_catch has no message";
108 std::string resource_name = "<unknown resource>";
109 if (!message->GetScriptOrigin().ResourceName().IsEmpty()) {
110 v8::String::Utf8Value resource_name_v8(
111 message->GetScriptOrigin().ResourceName());
112 resource_name.assign(*resource_name_v8, resource_name_v8.length());
115 std::string error_message = "<no error message>";
116 if (!message->Get().IsEmpty()) {
117 v8::String::Utf8Value error_message_v8(message->Get());
118 error_message.assign(*error_message_v8, error_message_v8.length());
121 auto maybe = message->GetLineNumber(context_->v8_context());
122 int line_number = maybe.IsJust() ? maybe.FromJust() : 0;
123 return base::StringPrintf("%s:%d: %s",
124 resource_name.c_str(),
125 line_number,
126 error_message.c_str());
129 ModuleSystem::ModuleSystem(ScriptContext* context, SourceMap* source_map)
130 : ObjectBackedNativeHandler(context),
131 context_(context),
132 source_map_(source_map),
133 natives_enabled_(0),
134 exception_handler_(new DefaultExceptionHandler(context)),
135 weak_factory_(this) {
136 RouteFunction(
137 "require",
138 base::Bind(&ModuleSystem::RequireForJs, base::Unretained(this)));
139 RouteFunction(
140 "requireNative",
141 base::Bind(&ModuleSystem::RequireNative, base::Unretained(this)));
142 RouteFunction(
143 "requireAsync",
144 base::Bind(&ModuleSystem::RequireAsync, base::Unretained(this)));
145 RouteFunction("privates",
146 base::Bind(&ModuleSystem::Private, base::Unretained(this)));
148 v8::Local<v8::Object> global(context->v8_context()->Global());
149 v8::Isolate* isolate = context->isolate();
150 global->SetHiddenValue(ToV8StringUnsafe(isolate, kModulesField),
151 v8::Object::New(isolate));
152 global->SetHiddenValue(ToV8StringUnsafe(isolate, kModuleSystem),
153 v8::External::New(isolate, this));
155 gin::ModuleRegistry::From(context->v8_context())->AddObserver(this);
156 if (context_->GetRenderFrame()) {
157 context_->GetRenderFrame()->EnsureMojoBuiltinsAreAvailable(
158 context->isolate(), context->v8_context());
162 ModuleSystem::~ModuleSystem() {
165 void ModuleSystem::Invalidate() {
166 // Clear the module system properties from the global context. It's polite,
167 // and we use this as a signal in lazy handlers that we no longer exist.
169 v8::HandleScope scope(GetIsolate());
170 v8::Local<v8::Object> global = context()->v8_context()->Global();
171 global->DeleteHiddenValue(ToV8StringUnsafe(GetIsolate(), kModulesField));
172 global->DeleteHiddenValue(ToV8StringUnsafe(GetIsolate(), kModuleSystem));
175 // Invalidate all active and clobbered NativeHandlers we own.
176 for (const auto& handler : native_handler_map_)
177 handler.second->Invalidate();
178 for (const auto& clobbered_handler : clobbered_native_handlers_)
179 clobbered_handler->Invalidate();
181 ObjectBackedNativeHandler::Invalidate();
184 ModuleSystem::NativesEnabledScope::NativesEnabledScope(
185 ModuleSystem* module_system)
186 : module_system_(module_system) {
187 module_system_->natives_enabled_++;
190 ModuleSystem::NativesEnabledScope::~NativesEnabledScope() {
191 module_system_->natives_enabled_--;
192 CHECK_GE(module_system_->natives_enabled_, 0);
195 void ModuleSystem::HandleException(const v8::TryCatch& try_catch) {
196 exception_handler_->HandleUncaughtException(try_catch);
199 v8::MaybeLocal<v8::Object> ModuleSystem::Require(
200 const std::string& module_name) {
201 v8::Local<v8::String> v8_module_name;
202 if (!ToV8String(GetIsolate(), module_name, &v8_module_name))
203 return v8::MaybeLocal<v8::Object>();
204 v8::EscapableHandleScope handle_scope(GetIsolate());
205 v8::Local<v8::Value> value = RequireForJsInner(
206 v8_module_name);
207 if (value.IsEmpty() || !value->IsObject())
208 return v8::MaybeLocal<v8::Object>();
209 return handle_scope.Escape(value.As<v8::Object>());
212 void ModuleSystem::RequireForJs(
213 const v8::FunctionCallbackInfo<v8::Value>& args) {
214 if (!args[0]->IsString()) {
215 NOTREACHED() << "require() called with a non-string argument";
216 return;
218 v8::Local<v8::String> module_name = args[0].As<v8::String>();
219 args.GetReturnValue().Set(RequireForJsInner(module_name));
222 v8::Local<v8::Value> ModuleSystem::RequireForJsInner(
223 v8::Local<v8::String> module_name) {
224 v8::EscapableHandleScope handle_scope(GetIsolate());
225 v8::Local<v8::Context> v8_context = context()->v8_context();
226 v8::Context::Scope context_scope(v8_context);
228 v8::Local<v8::Object> global(context()->v8_context()->Global());
230 // The module system might have been deleted. This can happen if a different
231 // context keeps a reference to us, but our frame is destroyed (e.g.
232 // background page keeps reference to chrome object in a closed popup).
233 v8::Local<v8::Value> modules_value = global->GetHiddenValue(
234 ToV8StringUnsafe(GetIsolate(), kModulesField));
235 if (modules_value.IsEmpty() || modules_value->IsUndefined()) {
236 Warn(GetIsolate(), "Extension view no longer exists");
237 return v8::Undefined(GetIsolate());
240 v8::Local<v8::Object> modules(v8::Local<v8::Object>::Cast(modules_value));
241 v8::Local<v8::Value> exports;
242 if (!GetProperty(v8_context, modules, module_name, &exports) ||
243 !exports->IsUndefined())
244 return handle_scope.Escape(exports);
246 exports = LoadModule(*v8::String::Utf8Value(module_name));
247 SetProperty(v8_context, modules, module_name, exports);
248 return handle_scope.Escape(exports);
251 v8::Local<v8::Value> ModuleSystem::CallModuleMethod(
252 const std::string& module_name,
253 const std::string& method_name) {
254 v8::EscapableHandleScope handle_scope(GetIsolate());
255 v8::Local<v8::Value> no_args;
256 return handle_scope.Escape(
257 CallModuleMethod(module_name, method_name, 0, &no_args));
260 v8::Local<v8::Value> ModuleSystem::CallModuleMethod(
261 const std::string& module_name,
262 const std::string& method_name,
263 std::vector<v8::Local<v8::Value>>* args) {
264 return CallModuleMethod(
265 module_name, method_name, args->size(), vector_as_array(args));
268 v8::Local<v8::Value> ModuleSystem::CallModuleMethod(
269 const std::string& module_name,
270 const std::string& method_name,
271 int argc,
272 v8::Local<v8::Value> argv[]) {
273 TRACE_EVENT2("v8",
274 "v8.callModuleMethod",
275 "module_name",
276 module_name,
277 "method_name",
278 method_name);
280 v8::EscapableHandleScope handle_scope(GetIsolate());
281 v8::Local<v8::Context> v8_context = context()->v8_context();
282 v8::Context::Scope context_scope(v8_context);
284 v8::Local<v8::String> v8_module_name;
285 v8::Local<v8::String> v8_method_name;
286 if (!ToV8String(GetIsolate(), module_name.c_str(), &v8_module_name) ||
287 !ToV8String(GetIsolate(), method_name.c_str(), &v8_method_name)) {
288 return handle_scope.Escape(v8::Undefined(GetIsolate()));
291 v8::Local<v8::Value> module;
293 NativesEnabledScope natives_enabled(this);
294 module = RequireForJsInner(v8_module_name);
297 if (module.IsEmpty() || !module->IsObject()) {
298 Fatal(context_,
299 "Failed to get module " + module_name + " to call " + method_name);
300 return handle_scope.Escape(v8::Undefined(GetIsolate()));
303 v8::Local<v8::Object> object = v8::Local<v8::Object>::Cast(module);
304 v8::Local<v8::Value> value;
305 if (!GetProperty(v8_context, object, v8_method_name, &value) ||
306 !value->IsFunction()) {
307 Fatal(context_, module_name + "." + method_name + " is not a function");
308 return handle_scope.Escape(v8::Undefined(GetIsolate()));
311 v8::Local<v8::Function> func = v8::Local<v8::Function>::Cast(value);
312 v8::Local<v8::Value> result;
314 v8::TryCatch try_catch(GetIsolate());
315 try_catch.SetCaptureMessage(true);
316 result = context_->CallFunction(func, argc, argv);
317 if (try_catch.HasCaught()) {
318 HandleException(try_catch);
319 result = v8::Undefined(GetIsolate());
322 return handle_scope.Escape(result);
325 void ModuleSystem::RegisterNativeHandler(
326 const std::string& name,
327 scoped_ptr<NativeHandler> native_handler) {
328 ClobberExistingNativeHandler(name);
329 native_handler_map_[name] =
330 linked_ptr<NativeHandler>(native_handler.release());
333 void ModuleSystem::OverrideNativeHandlerForTest(const std::string& name) {
334 ClobberExistingNativeHandler(name);
335 overridden_native_handlers_.insert(name);
338 void ModuleSystem::RunString(const std::string& code, const std::string& name) {
339 v8::HandleScope handle_scope(GetIsolate());
340 v8::Local<v8::String> v8_code;
341 v8::Local<v8::String> v8_name;
342 if (!ToV8String(GetIsolate(), code.c_str(), &v8_code) ||
343 !ToV8String(GetIsolate(), name.c_str(), &v8_name)) {
344 Warn(GetIsolate(), "Too long code or name.");
345 return;
347 RunString(v8_code, v8_name);
350 // static
351 void ModuleSystem::NativeLazyFieldGetter(
352 v8::Local<v8::Name> property,
353 const v8::PropertyCallbackInfo<v8::Value>& info) {
354 LazyFieldGetterInner(property.As<v8::String>(), info,
355 &ModuleSystem::RequireNativeFromString);
358 // static
359 void ModuleSystem::LazyFieldGetter(
360 v8::Local<v8::Name> property,
361 const v8::PropertyCallbackInfo<v8::Value>& info) {
362 LazyFieldGetterInner(property.As<v8::String>(), info, &ModuleSystem::Require);
365 // static
366 void ModuleSystem::LazyFieldGetterInner(
367 v8::Local<v8::String> property,
368 const v8::PropertyCallbackInfo<v8::Value>& info,
369 RequireFunction require_function) {
370 CHECK(!info.Data().IsEmpty());
371 CHECK(info.Data()->IsObject());
372 v8::HandleScope handle_scope(info.GetIsolate());
373 v8::Local<v8::Object> parameters = v8::Local<v8::Object>::Cast(info.Data());
374 // This context should be the same as context()->v8_context().
375 v8::Local<v8::Context> context = parameters->CreationContext();
376 v8::Local<v8::Object> global(context->Global());
377 v8::Local<v8::Value> module_system_value = global->GetHiddenValue(
378 ToV8StringUnsafe(info.GetIsolate(), kModuleSystem));
379 if (module_system_value.IsEmpty() || !module_system_value->IsExternal()) {
380 // ModuleSystem has been deleted.
381 // TODO(kalman): See comment in header file.
382 Warn(info.GetIsolate(),
383 "Module system has been deleted, does extension view exist?");
384 return;
387 ModuleSystem* module_system = static_cast<ModuleSystem*>(
388 v8::Local<v8::External>::Cast(module_system_value)->Value());
390 v8::Local<v8::Value> v8_module_name;
391 if (!GetProperty(context, parameters, kModuleName, &v8_module_name)) {
392 Warn(info.GetIsolate(), "Cannot find module.");
393 return;
395 std::string name = *v8::String::Utf8Value(v8_module_name);
397 // Switch to our v8 context because we need functions created while running
398 // the require()d module to belong to our context, not the current one.
399 v8::Context::Scope context_scope(context);
400 NativesEnabledScope natives_enabled_scope(module_system);
402 v8::TryCatch try_catch(info.GetIsolate());
403 v8::Local<v8::Value> module_value;
404 if (!(module_system->*require_function)(name).ToLocal(&module_value)) {
405 module_system->HandleException(try_catch);
406 return;
409 v8::Local<v8::Object> module = v8::Local<v8::Object>::Cast(module_value);
410 v8::Local<v8::Value> field_value;
411 if (!GetProperty(context, parameters, kModuleField, &field_value)) {
412 module_system->HandleException(try_catch);
413 return;
415 v8::Local<v8::String> field;
416 if (!field_value->ToString(context).ToLocal(&field)) {
417 module_system->HandleException(try_catch);
418 return;
421 if (!IsTrue(module->Has(context, field))) {
422 std::string field_str = *v8::String::Utf8Value(field);
423 Fatal(module_system->context_,
424 "Lazy require of " + name + "." + field_str + " did not set the " +
425 field_str + " field");
426 return;
429 v8::Local<v8::Value> new_field;
430 if (!GetProperty(context, module, field, &new_field)) {
431 module_system->HandleException(try_catch);
432 return;
435 // Ok for it to be undefined, among other things it's how bindings signify
436 // that the extension doesn't have permission to use them.
437 CHECK(!new_field.IsEmpty());
439 // Delete the getter and set this field to |new_field| so the same object is
440 // returned every time a certain API is accessed.
441 v8::Local<v8::Value> val = info.This();
442 if (val->IsObject()) {
443 v8::Local<v8::Object> object = v8::Local<v8::Object>::Cast(val);
444 object->Delete(context, property);
445 SetProperty(context, object, property, new_field);
446 } else {
447 NOTREACHED();
449 info.GetReturnValue().Set(new_field);
452 void ModuleSystem::SetLazyField(v8::Local<v8::Object> object,
453 const std::string& field,
454 const std::string& module_name,
455 const std::string& module_field) {
456 SetLazyField(
457 object, field, module_name, module_field, &ModuleSystem::LazyFieldGetter);
460 void ModuleSystem::SetLazyField(v8::Local<v8::Object> object,
461 const std::string& field,
462 const std::string& module_name,
463 const std::string& module_field,
464 v8::AccessorNameGetterCallback getter) {
465 CHECK(field.size() < v8::String::kMaxLength);
466 CHECK(module_name.size() < v8::String::kMaxLength);
467 CHECK(module_field.size() < v8::String::kMaxLength);
468 v8::HandleScope handle_scope(GetIsolate());
469 v8::Local<v8::Object> parameters = v8::Object::New(GetIsolate());
470 v8::Local<v8::Context> context = context_->v8_context();
471 SetProperty(context, parameters, kModuleName,
472 ToV8StringUnsafe(GetIsolate(), module_name.c_str()));
473 SetProperty(context, parameters, kModuleField,
474 ToV8StringUnsafe(GetIsolate(), module_field.c_str()));
475 auto maybe = object->SetAccessor(
476 context, ToV8StringUnsafe(GetIsolate(), field.c_str()), getter, NULL,
477 parameters);
478 CHECK(IsTrue(maybe));
481 void ModuleSystem::SetNativeLazyField(v8::Local<v8::Object> object,
482 const std::string& field,
483 const std::string& module_name,
484 const std::string& module_field) {
485 SetLazyField(object,
486 field,
487 module_name,
488 module_field,
489 &ModuleSystem::NativeLazyFieldGetter);
492 v8::Local<v8::Value> ModuleSystem::RunString(v8::Local<v8::String> code,
493 v8::Local<v8::String> name) {
494 return context_->RunScript(
495 name, code, base::Bind(&ExceptionHandler::HandleUncaughtException,
496 base::Unretained(exception_handler_.get())));
499 v8::Local<v8::Value> ModuleSystem::GetSource(const std::string& module_name) {
500 v8::EscapableHandleScope handle_scope(GetIsolate());
501 if (!source_map_->Contains(module_name))
502 return v8::Undefined(GetIsolate());
503 return handle_scope.Escape(
504 v8::Local<v8::Value>(source_map_->GetSource(GetIsolate(), module_name)));
507 void ModuleSystem::RequireNative(
508 const v8::FunctionCallbackInfo<v8::Value>& args) {
509 CHECK_EQ(1, args.Length());
510 std::string native_name = *v8::String::Utf8Value(args[0]);
511 v8::Local<v8::Object> object;
512 if (RequireNativeFromString(native_name).ToLocal(&object))
513 args.GetReturnValue().Set(object);
516 v8::MaybeLocal<v8::Object> ModuleSystem::RequireNativeFromString(
517 const std::string& native_name) {
518 if (natives_enabled_ == 0) {
519 // HACK: if in test throw exception so that we can test the natives-disabled
520 // logic; however, under normal circumstances, this is programmer error so
521 // we could crash.
522 if (exception_handler_) {
523 GetIsolate()->ThrowException(
524 ToV8StringUnsafe(GetIsolate(), "Natives disabled"));
525 return v8::MaybeLocal<v8::Object>();
527 Fatal(context_, "Natives disabled for requireNative(" + native_name + ")");
528 return v8::MaybeLocal<v8::Object>();
531 if (overridden_native_handlers_.count(native_name) > 0u) {
532 v8::Local<v8::Value> value = RequireForJsInner(
533 ToV8StringUnsafe(GetIsolate(), native_name.c_str()));
534 if (value.IsEmpty() || !value->IsObject())
535 return v8::MaybeLocal<v8::Object>();
536 return value.As<v8::Object>();
539 NativeHandlerMap::iterator i = native_handler_map_.find(native_name);
540 if (i == native_handler_map_.end()) {
541 Fatal(context_,
542 "Couldn't find native for requireNative(" + native_name + ")");
543 return v8::MaybeLocal<v8::Object>();
545 return i->second->NewInstance();
548 void ModuleSystem::RequireAsync(
549 const v8::FunctionCallbackInfo<v8::Value>& args) {
550 CHECK_EQ(1, args.Length());
551 std::string module_name = *v8::String::Utf8Value(args[0]);
552 v8::Local<v8::Context> v8_context = context_->v8_context();
553 v8::Local<v8::Promise::Resolver> resolver(
554 v8::Promise::Resolver::New(v8_context).ToLocalChecked());
555 args.GetReturnValue().Set(resolver->GetPromise());
556 scoped_ptr<v8::Global<v8::Promise::Resolver>> global_resolver(
557 new v8::Global<v8::Promise::Resolver>(GetIsolate(), resolver));
558 gin::ModuleRegistry* module_registry =
559 gin::ModuleRegistry::From(v8_context);
560 if (!module_registry) {
561 Warn(GetIsolate(), "Extension view no longer exists");
562 resolver->Reject(v8_context, v8::Exception::Error(ToV8StringUnsafe(
563 GetIsolate(), "Extension view no longer exists")));
564 return;
566 module_registry->LoadModule(
567 GetIsolate(), module_name,
568 base::Bind(&ModuleSystem::OnModuleLoaded, weak_factory_.GetWeakPtr(),
569 base::Passed(&global_resolver)));
570 if (module_registry->available_modules().count(module_name) == 0)
571 LoadModule(module_name);
574 v8::Local<v8::String> ModuleSystem::WrapSource(v8::Local<v8::String> source) {
575 v8::EscapableHandleScope handle_scope(GetIsolate());
576 // Keep in order with the arguments in RequireForJsInner.
577 v8::Local<v8::String> left = ToV8StringUnsafe(
578 GetIsolate(),
579 "(function(define, require, requireNative, requireAsync, exports, "
580 "console, privates,"
581 "$Array, $Function, $JSON, $Object, $RegExp, $String, $Error) {"
582 "'use strict';");
583 v8::Local<v8::String> right = ToV8StringUnsafe(GetIsolate(), "\n})");
584 return handle_scope.Escape(v8::Local<v8::String>(
585 v8::String::Concat(left, v8::String::Concat(source, right))));
588 void ModuleSystem::Private(const v8::FunctionCallbackInfo<v8::Value>& args) {
589 CHECK_EQ(1, args.Length());
590 if (!args[0]->IsObject() || args[0]->IsNull()) {
591 GetIsolate()->ThrowException(
592 v8::Exception::TypeError(ToV8StringUnsafe(GetIsolate(),
593 args[0]->IsUndefined()
594 ? "Method called without a valid receiver (this). "
595 "Did you forget to call .bind()?"
596 : "Invalid invocation: receiver is not an object!")));
597 return;
599 v8::Local<v8::Object> obj = args[0].As<v8::Object>();
600 v8::Local<v8::String> privates_key =
601 ToV8StringUnsafe(GetIsolate(), "privates");
602 v8::Local<v8::Value> privates = obj->GetHiddenValue(privates_key);
603 if (privates.IsEmpty()) {
604 privates = v8::Object::New(args.GetIsolate());
605 if (privates.IsEmpty()) {
606 GetIsolate()->ThrowException(
607 ToV8StringUnsafe(GetIsolate(), "Failed to create privates"));
608 return;
610 obj->SetHiddenValue(privates_key, privates);
612 args.GetReturnValue().Set(privates);
615 v8::Local<v8::Value> ModuleSystem::LoadModule(const std::string& module_name) {
616 v8::EscapableHandleScope handle_scope(GetIsolate());
617 v8::Local<v8::Context> v8_context = context()->v8_context();
618 v8::Context::Scope context_scope(v8_context);
620 v8::Local<v8::Value> source(GetSource(module_name));
621 if (source.IsEmpty() || source->IsUndefined()) {
622 Fatal(context_, "No source for require(" + module_name + ")");
623 return v8::Undefined(GetIsolate());
625 v8::Local<v8::String> wrapped_source(
626 WrapSource(v8::Local<v8::String>::Cast(source)));
627 v8::Local<v8::String> v8_module_name;
628 if (!ToV8String(GetIsolate(), module_name.c_str(), &v8_module_name)) {
629 NOTREACHED() << "module_name is too long";
630 return v8::Undefined(GetIsolate());
632 // Modules are wrapped in (function(){...}) so they always return functions.
633 v8::Local<v8::Value> func_as_value =
634 RunString(wrapped_source, v8_module_name);
635 if (func_as_value.IsEmpty() || func_as_value->IsUndefined()) {
636 Fatal(context_, "Bad source for require(" + module_name + ")");
637 return v8::Undefined(GetIsolate());
640 v8::Local<v8::Function> func = v8::Local<v8::Function>::Cast(func_as_value);
642 v8::Local<v8::Object> define_object = v8::Object::New(GetIsolate());
643 gin::ModuleRegistry::InstallGlobals(GetIsolate(), define_object);
645 v8::Local<v8::Value> exports = v8::Object::New(GetIsolate());
646 v8::Local<v8::Object> natives(NewInstance());
647 CHECK(!natives.IsEmpty()); // this can fail if v8 has issues
649 // These must match the argument order in WrapSource.
650 v8::Local<v8::Value> args[] = {
651 // AMD.
652 GetPropertyUnsafe(v8_context, define_object, "define"),
653 // CommonJS.
654 GetPropertyUnsafe(v8_context, natives, "require",
655 v8::NewStringType::kInternalized),
656 GetPropertyUnsafe(v8_context, natives, "requireNative",
657 v8::NewStringType::kInternalized),
658 GetPropertyUnsafe(v8_context, natives, "requireAsync",
659 v8::NewStringType::kInternalized),
660 exports,
661 // Libraries that we magically expose to every module.
662 console::AsV8Object(GetIsolate()),
663 GetPropertyUnsafe(v8_context, natives, "privates",
664 v8::NewStringType::kInternalized),
665 // Each safe builtin. Keep in order with the arguments in WrapSource.
666 context_->safe_builtins()->GetArray(),
667 context_->safe_builtins()->GetFunction(),
668 context_->safe_builtins()->GetJSON(),
669 context_->safe_builtins()->GetObjekt(),
670 context_->safe_builtins()->GetRegExp(),
671 context_->safe_builtins()->GetString(),
672 context_->safe_builtins()->GetError(),
675 v8::TryCatch try_catch(GetIsolate());
676 try_catch.SetCaptureMessage(true);
677 context_->CallFunction(func, arraysize(args), args);
678 if (try_catch.HasCaught()) {
679 HandleException(try_catch);
680 return v8::Undefined(GetIsolate());
683 return handle_scope.Escape(exports);
686 void ModuleSystem::OnDidAddPendingModule(
687 const std::string& id,
688 const std::vector<std::string>& dependencies) {
689 bool module_system_managed = source_map_->Contains(id);
691 gin::ModuleRegistry* registry =
692 gin::ModuleRegistry::From(context_->v8_context());
693 DCHECK(registry);
694 for (const auto& dependency : dependencies) {
695 // If a dependency is not available, and either the module or this
696 // dependency is managed by ModuleSystem, attempt to load it. Other
697 // gin::ModuleRegistry users (WebUI and users of the mojoPrivate API) are
698 // responsible for loading their module dependencies when required.
699 if (registry->available_modules().count(dependency) == 0 &&
700 (module_system_managed || source_map_->Contains(dependency))) {
701 LoadModule(dependency);
704 registry->AttemptToLoadMoreModules(GetIsolate());
707 void ModuleSystem::OnModuleLoaded(
708 scoped_ptr<v8::Global<v8::Promise::Resolver>> resolver,
709 v8::Local<v8::Value> value) {
710 if (!is_valid())
711 return;
712 v8::HandleScope handle_scope(GetIsolate());
713 v8::Local<v8::Promise::Resolver> resolver_local(
714 v8::Local<v8::Promise::Resolver>::New(GetIsolate(), *resolver));
715 resolver_local->Resolve(context()->v8_context(), value);
718 void ModuleSystem::ClobberExistingNativeHandler(const std::string& name) {
719 NativeHandlerMap::iterator existing_handler = native_handler_map_.find(name);
720 if (existing_handler != native_handler_map_.end()) {
721 clobbered_native_handlers_.push_back(existing_handler->second);
722 native_handler_map_.erase(existing_handler);
726 } // namespace extensions