1
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
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
|
/* This Source Code Form is subject to the terms of the Mozilla Public
* License, v. 2.0. If a copy of the MPL was not distributed with this
* file, You can obtain one at http://mozilla.org/MPL/2.0/. */
"use strict";
loader.lazyRequireGetter(
this,
"WebConsole",
"resource://devtools/client/webconsole/webconsole.js"
);
loader.lazyGetter(this, "EventEmitter", () =>
require("resource://devtools/shared/event-emitter.js")
);
/**
* A DevToolPanel that controls the Web Console.
*/
function WebConsolePanel(iframeWindow, toolbox, commands) {
this._frameWindow = iframeWindow;
this._toolbox = toolbox;
this._commands = commands;
EventEmitter.decorate(this);
}
exports.WebConsolePanel = WebConsolePanel;
WebConsolePanel.prototype = {
hud: null,
/**
* Called by the WebConsole's onkey command handler.
* If the WebConsole is opened, check if the JSTerm's input line has focus.
* If not, focus it.
*/
focusInput() {
this.hud.jsterm.focus();
},
/**
* Open is effectively an asynchronous constructor.
*
* @return object
* A promise that is resolved when the Web Console completes opening.
*/
async open() {
try {
const parentDoc = this._toolbox.doc;
const iframe = parentDoc.getElementById(
"toolbox-panel-iframe-webconsole"
);
// Make sure the iframe content window is ready.
const win = iframe.contentWindow;
const doc = win && win.document;
if (!doc || doc.readyState !== "complete") {
await new Promise(resolve => {
iframe.addEventListener("load", resolve, {
capture: true,
once: true,
});
});
}
const webConsoleUIWindow = iframe.contentWindow.wrappedJSObject;
const chromeWindow = iframe.ownerDocument.defaultView;
// Open the Web Console.
this.hud = new WebConsole(
this._toolbox,
this._commands,
webConsoleUIWindow,
chromeWindow
);
await this.hud.init();
// Pipe 'reloaded' event from WebConsoleUI to WebConsolePanel.
// These events are listened by the Toolbox.
this.hud.ui.on("reloaded", () => {
this.emit("reloaded");
});
} catch (e) {
const msg = "WebConsolePanel open failed. " + e.error + ": " + e.message;
dump(msg + "\n");
console.error(msg, e);
}
return this;
},
get currentTarget() {
return this._toolbox.target;
},
destroy() {
if (!this._toolbox) {
return;
}
this.hud.destroy();
this.hud = null;
this._frameWindow = null;
this._toolbox = null;
this.emit("destroyed");
},
};
|