-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathExtensionChild.jsm
1115 lines (933 loc) · 34.8 KB
/
ExtensionChild.jsm
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
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
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
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
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
/* -*- Mode: indent-tabs-mode: nil; js-indent-level: 2 -*- */
/* vim: set sts=2 sw=2 et tw=80: */
/* 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";
/* exported ExtensionChild */
this.EXPORTED_SYMBOLS = ["ExtensionChild"];
/*
* This file handles addon logic that is independent of the chrome process.
* When addons run out-of-process, this is the main entry point.
* Its primary function is managing addon globals.
*
* Don't put contentscript logic here, use ExtensionContent.jsm instead.
*/
ChromeUtils.import("resource://gre/modules/Services.jsm");
ChromeUtils.import("resource://gre/modules/XPCOMUtils.jsm");
XPCOMUtils.defineLazyServiceGetter(this, "finalizationService",
"@mozilla.org/toolkit/finalizationwitness;1",
"nsIFinalizationWitnessService");
XPCOMUtils.defineLazyModuleGetters(this, {
ExtensionContent: "resource://gre/modules/ExtensionContent.jsm",
ExtensionPageChild: "resource://gre/modules/ExtensionPageChild.jsm",
MessageChannel: "resource://gre/modules/MessageChannel.jsm",
NativeApp: "resource://gre/modules/NativeMessaging.jsm",
PromiseUtils: "resource://gre/modules/PromiseUtils.jsm",
});
XPCOMUtils.defineLazyGetter(
this, "processScript",
() => Cc["@mozilla.org/webextensions/extension-process-script;1"]
.getService().wrappedJSObject);
ChromeUtils.import("resource://gre/modules/ExtensionCommon.jsm");
ChromeUtils.import("resource://gre/modules/ExtensionUtils.jsm");
const {
DefaultMap,
LimitedSet,
getMessageManager,
getUniqueId,
getWinUtils,
} = ExtensionUtils;
const {
EventEmitter,
EventManager,
LocalAPIImplementation,
LocaleData,
NoCloneSpreadArgs,
SchemaAPIInterface,
withHandlingUserInput,
} = ExtensionCommon;
const {sharedData} = Services.cpmm;
const isContentProcess = Services.appinfo.processType == Services.appinfo.PROCESS_TYPE_CONTENT;
// Copy an API object from |source| into the scope |dest|.
function injectAPI(source, dest) {
for (let prop in source) {
// Skip names prefixed with '_'.
if (prop[0] == "_") {
continue;
}
let desc = Object.getOwnPropertyDescriptor(source, prop);
if (typeof(desc.value) == "function") {
Cu.exportFunction(desc.value, dest, {defineAs: prop});
} else if (typeof(desc.value) == "object") {
let obj = Cu.createObjectIn(dest, {defineAs: prop});
injectAPI(desc.value, obj);
} else {
Object.defineProperty(dest, prop, desc);
}
}
}
/**
* A finalization witness helper that wraps a sendMessage response and
* guarantees to either get the promise resolved, or rejected when the
* wrapped promise goes out of scope.
*
* Holding a reference to a returned StrongPromise doesn't prevent the
* wrapped promise from being garbage collected.
*/
const StrongPromise = {
locations: new Map(),
wrap(promise, channelId, location) {
return new Promise((resolve, reject) => {
this.locations.set(channelId, location);
const witness = finalizationService.make("extensions-sendMessage-witness", channelId);
promise.then(value => {
this.locations.delete(channelId);
witness.forget();
resolve(value);
}, error => {
this.locations.delete(channelId);
witness.forget();
reject(error);
});
});
},
observe(subject, topic, channelId) {
channelId = Number(channelId);
let location = this.locations.get(channelId);
this.locations.delete(channelId);
const message = `Promised response from onMessage listener went out of scope`;
const error = ChromeUtils.createError(message, location);
error.mozWebExtLocation = location;
MessageChannel.abortChannel(channelId, error);
},
};
Services.obs.addObserver(StrongPromise, "extensions-sendMessage-witness");
/**
* Abstraction for a Port object in the extension API.
*/
class Port {
/**
* @param {BaseContext} context The context that owns this port.
* @param {nsIMessageSender} senderMM The message manager to send messages to.
* @param {Array<nsIMessageListenerManager>} receiverMMs Message managers to
* listen on.
* @param {string} name Arbitrary port name as defined by the addon.
* @param {number} id An ID that uniquely identifies this port's channel.
* @param {object} sender The `port.sender` property.
* @param {object} recipient The recipient of messages sent from this port.
*/
constructor(context, senderMM, receiverMMs, name, id, sender, recipient) {
this.context = context;
this.senderMM = senderMM;
this.receiverMMs = receiverMMs;
this.name = name;
this.id = id;
this.sender = sender;
this.recipient = recipient;
this.disconnected = false;
this.disconnectListeners = new Set();
this.unregisterMessageFuncs = new Set();
// Common options for onMessage and onDisconnect.
this.handlerBase = {
messageFilterStrict: {portId: id},
filterMessage: (sender, recipient) => {
return sender.contextId !== this.context.contextId;
},
};
this.disconnectHandler = Object.assign({
receiveMessage: ({data}) => this.disconnectByOtherEnd(data),
}, this.handlerBase);
MessageChannel.addListener(this.receiverMMs, "Extension:Port:Disconnect", this.disconnectHandler);
this.context.callOnClose(this);
}
api() {
let portObj = Cu.createObjectIn(this.context.cloneScope);
let portError = null;
let publicAPI = {
name: this.name,
disconnect: () => {
this.disconnect();
},
postMessage: json => {
this.postMessage(json);
},
onDisconnect: new EventManager({
context: this.context,
name: "Port.onDisconnect",
register: fire => {
return this.registerOnDisconnect(holder => {
let error = holder && holder.deserialize(this.context.cloneScope);
portError = error && this.context.normalizeError(error);
fire.asyncWithoutClone(portObj);
});
},
}).api(),
onMessage: new EventManager({
context: this.context,
name: "Port.onMessage",
register: fire => {
return this.registerOnMessage(holder => {
let msg = holder.deserialize(this.context.cloneScope);
fire.asyncWithoutClone(msg, portObj);
});
},
}).api(),
get error() {
return portError;
},
};
if (this.sender) {
publicAPI.sender = this.sender;
}
injectAPI(publicAPI, portObj);
return portObj;
}
postMessage(json) {
if (this.disconnected) {
throw new this.context.cloneScope.Error("Attempt to postMessage on disconnected port");
}
this._sendMessage("Extension:Port:PostMessage", json);
}
/**
* Register a callback that is called when the port is disconnected by the
* *other* end. The callback is automatically unregistered when the port or
* context is closed.
*
* @param {function} callback Called when the other end disconnects the port.
* If the disconnect is caused by an error, the first parameter is an
* object with a "message" string property that describes the cause.
* @returns {function} Function to unregister the listener.
*/
registerOnDisconnect(callback) {
let listener = error => {
if (this.context.active && !this.disconnected) {
callback(error);
}
};
this.disconnectListeners.add(listener);
return () => {
this.disconnectListeners.delete(listener);
};
}
/**
* Register a callback that is called when a message is received. The callback
* is automatically unregistered when the port or context is closed.
*
* @param {function} callback Called when a message is received.
* @returns {function} Function to unregister the listener.
*/
registerOnMessage(callback) {
let handler = Object.assign({
receiveMessage: ({data}) => {
if (this.context.active && !this.disconnected) {
callback(data);
}
},
}, this.handlerBase);
let unregister = () => {
this.unregisterMessageFuncs.delete(unregister);
MessageChannel.removeListener(this.receiverMMs, "Extension:Port:PostMessage", handler);
};
MessageChannel.addListener(this.receiverMMs, "Extension:Port:PostMessage", handler);
this.unregisterMessageFuncs.add(unregister);
return unregister;
}
_sendMessage(message, data) {
let options = {
recipient: Object.assign({}, this.recipient, {portId: this.id}),
responseType: MessageChannel.RESPONSE_NONE,
};
let holder = new StructuredCloneHolder(data);
return this.context.sendMessage(this.senderMM, message, holder, options);
}
handleDisconnection() {
MessageChannel.removeListener(this.receiverMMs, "Extension:Port:Disconnect", this.disconnectHandler);
for (let unregister of this.unregisterMessageFuncs) {
unregister();
}
this.context.forgetOnClose(this);
this.disconnected = true;
}
/**
* Disconnect the port from the other end (which may not even exist).
*
* @param {Error|{message: string}} [error] The reason for disconnecting,
* if it is an abnormal disconnect.
*/
disconnectByOtherEnd(error = null) {
if (this.disconnected) {
return;
}
for (let listener of this.disconnectListeners) {
listener(error);
}
this.handleDisconnection();
}
/**
* Disconnect the port from this end.
*
* @param {Error|{message: string}} [error] The reason for disconnecting,
* if it is an abnormal disconnect.
*/
disconnect(error = null) {
if (this.disconnected) {
// disconnect() may be called without side effects even after the port is
// closed - https://developer.chrome.com/extensions/runtime#type-Port
return;
}
this.handleDisconnection();
if (error) {
error = {message: this.context.normalizeError(error).message};
}
this._sendMessage("Extension:Port:Disconnect", error);
}
close() {
this.disconnect();
}
}
class NativePort extends Port {
postMessage(data) {
data = NativeApp.encodeMessage(this.context, data);
return super.postMessage(data);
}
}
/**
* Each extension context gets its own Messenger object. It handles the
* basics of sendMessage, onMessage, connect and onConnect.
*/
class Messenger {
/**
* @param {BaseContext} context The context to which this Messenger is tied.
* @param {Array<nsIMessageListenerManager>} messageManagers
* The message managers used to receive messages (e.g. onMessage/onConnect
* requests).
* @param {object} sender Describes this sender to the recipient. This object
* is extended further by BaseContext's sendMessage method and appears as
* the `sender` object to `onConnect` and `onMessage`.
* Do not set the `extensionId`, `contextId` or `tab` properties. The former
* two are added by BaseContext's sendMessage, while `sender.tab` is set by
* the ProxyMessenger in the main process.
* @param {object} filter A recipient filter to apply to incoming messages from
* the broker. Messages are only handled by this Messenger if all key-value
* pairs match the `recipient` as specified by the sender of the message.
* In other words, this filter defines the required fields of `recipient`.
* @param {object} [optionalFilter] An additional filter to apply to incoming
* messages. Unlike `filter`, the keys from `optionalFilter` are allowed to
* be omitted from `recipient`. Only keys that are present in both
* `optionalFilter` and `recipient` are applied to filter incoming messages.
*/
constructor(context, messageManagers, sender, filter, optionalFilter) {
this.context = context;
this.messageManagers = messageManagers;
this.sender = sender;
this.filter = filter;
this.optionalFilter = optionalFilter;
// Include the context envType in the sender info.
this.sender.envType = context.envType;
// Exclude messages coming from content scripts for the devtools extension contexts
// (See Bug 1383310).
this.excludeContentScriptSender = (this.context.envType === "devtools_child");
}
_sendMessage(messageManager, message, data, recipient) {
let options = {
recipient,
sender: this.sender,
responseType: MessageChannel.RESPONSE_FIRST,
};
return this.context.sendMessage(messageManager, message, data, options);
}
sendMessage(messageManager, msg, recipient, responseCallback) {
let holder = new StructuredCloneHolder(msg);
let promise = this._sendMessage(messageManager, "Extension:Message", holder, recipient)
.catch(error => {
if (error.result == MessageChannel.RESULT_NO_HANDLER) {
return Promise.reject({message: "Could not establish connection. Receiving end does not exist."});
} else if (error.result != MessageChannel.RESULT_NO_RESPONSE) {
return Promise.reject(error);
}
});
holder = null;
return this.context.wrapPromise(promise, responseCallback);
}
sendNativeMessage(messageManager, msg, recipient, responseCallback) {
msg = NativeApp.encodeMessage(this.context, msg);
return this.sendMessage(messageManager, msg, recipient, responseCallback);
}
_onMessage(name, filter) {
return new EventManager({
context: this.context,
name,
register: fire => {
const caller = this.context.getCaller();
let listener = {
messageFilterPermissive: this.optionalFilter,
messageFilterStrict: this.filter,
filterMessage: (sender, recipient) => {
// Exclude messages coming from content scripts for the devtools extension contexts
// (See Bug 1383310).
if (this.excludeContentScriptSender && sender.envType === "content_child") {
return false;
}
// Ignore the message if it was sent by this Messenger.
return (sender.contextId !== this.context.contextId &&
filter(sender, recipient));
},
receiveMessage: ({target, data: holder, sender, recipient, channelId}) => {
if (!this.context.active) {
return;
}
let sendResponse;
let response = undefined;
let promise = new Promise(resolve => {
sendResponse = value => {
resolve(value);
response = promise;
};
});
let message = holder.deserialize(this.context.cloneScope);
holder = null;
sender = Cu.cloneInto(sender, this.context.cloneScope);
sendResponse = Cu.exportFunction(sendResponse, this.context.cloneScope);
// Note: We intentionally do not use runSafe here so that any
// errors are propagated to the message sender.
let result = fire.raw(message, sender, sendResponse);
message = null;
if (result instanceof this.context.cloneScope.Promise) {
return StrongPromise.wrap(result, channelId, caller);
} else if (result === true) {
return StrongPromise.wrap(promise, channelId, caller);
}
return response;
},
};
const childManager = this.context.viewType == "background" ? this.context.childManager : null;
MessageChannel.addListener(this.messageManagers, "Extension:Message", listener);
if (childManager) {
childManager.callParentFunctionNoReturn("runtime.addMessagingListener",
["onMessage"]);
}
return () => {
MessageChannel.removeListener(this.messageManagers, "Extension:Message", listener);
if (childManager) {
childManager.callParentFunctionNoReturn("runtime.removeMessagingListener",
["onMessage"]);
}
};
},
}).api();
}
onMessage(name) {
return this._onMessage(name, sender => sender.id === this.sender.id);
}
onMessageExternal(name) {
return this._onMessage(name, sender => sender.id !== this.sender.id);
}
_connect(messageManager, port, recipient) {
let msg = {
name: port.name,
portId: port.id,
};
this._sendMessage(messageManager, "Extension:Connect", msg, recipient).catch(error => {
if (error.result === MessageChannel.RESULT_NO_HANDLER) {
error = {message: "Could not establish connection. Receiving end does not exist."};
} else if (error.result === MessageChannel.RESULT_DISCONNECTED) {
error = null;
}
port.disconnectByOtherEnd(new StructuredCloneHolder(error));
});
return port.api();
}
connect(messageManager, name, recipient) {
let portId = getUniqueId();
let port = new Port(this.context, messageManager, this.messageManagers, name, portId, null, recipient);
return this._connect(messageManager, port, recipient);
}
connectNative(messageManager, name, recipient) {
let portId = getUniqueId();
let port = new NativePort(this.context, messageManager, this.messageManagers, name, portId, null, recipient);
return this._connect(messageManager, port, recipient);
}
_onConnect(name, filter) {
return new EventManager({
context: this.context,
name,
register: fire => {
let listener = {
messageFilterPermissive: this.optionalFilter,
messageFilterStrict: this.filter,
filterMessage: (sender, recipient) => {
// Exclude messages coming from content scripts for the devtools extension contexts
// (See Bug 1383310).
if (this.excludeContentScriptSender && sender.envType === "content_child") {
return false;
}
// Ignore the port if it was created by this Messenger.
return (sender.contextId !== this.context.contextId &&
filter(sender, recipient));
},
receiveMessage: ({target, data: message, sender}) => {
let {name, portId} = message;
let mm = getMessageManager(target);
let recipient = Object.assign({}, sender);
if (recipient.tab) {
recipient.tabId = recipient.tab.id;
delete recipient.tab;
}
let port = new Port(this.context, mm, this.messageManagers, name, portId, sender, recipient);
fire.asyncWithoutClone(port.api());
return true;
},
};
const childManager = this.context.viewType == "background" ? this.context.childManager : null;
MessageChannel.addListener(this.messageManagers, "Extension:Connect", listener);
if (childManager) {
childManager.callParentFunctionNoReturn("runtime.addMessagingListener",
["onConnect"]);
}
return () => {
MessageChannel.removeListener(this.messageManagers, "Extension:Connect", listener);
if (childManager) {
childManager.callParentFunctionNoReturn("runtime.removeMessagingListener",
["onConnect"]);
}
};
},
}).api();
}
onConnect(name) {
return this._onConnect(name, sender => sender.id === this.sender.id);
}
onConnectExternal(name) {
return this._onConnect(name, sender => sender.id !== this.sender.id);
}
}
// For test use only.
var ExtensionManager = {
extensions: new Map(),
};
// Represents a browser extension in the content process.
class BrowserExtensionContent extends EventEmitter {
constructor(data) {
super();
this.data = data;
this.id = data.id;
this.uuid = data.uuid;
this.instanceId = data.instanceId;
this.policy = null;
this.childModules = null;
this.dependencies = null;
this.schemaURLs = null;
if (WebExtensionPolicy.isExtensionProcess) {
Object.assign(this, this.getSharedData("extendedData"));
}
this.MESSAGE_EMIT_EVENT = `Extension:EmitEvent:${this.instanceId}`;
Services.cpmm.addMessageListener(this.MESSAGE_EMIT_EVENT, this);
this.webAccessibleResources = data.webAccessibleResources.map(res => new MatchGlob(res));
this.permissions = data.permissions;
this.optionalPermissions = data.optionalPermissions;
let restrictSchemes = !this.hasPermission("mozillaAddons");
this.whiteListedHosts = new MatchPatternSet(data.whiteListedHosts, {restrictSchemes, ignorePath: true});
this.apiManager = this.getAPIManager();
this._manifest = null;
this._localeData = null;
this.baseURI = Services.io.newURI(`moz-extension://${this.uuid}/`);
this.baseURL = this.baseURI.spec;
this.principal = Services.scriptSecurityManager.createCodebasePrincipal(
this.baseURI, {});
// Only used in addon processes.
this.views = new Set();
// Only used for devtools views.
this.devtoolsViews = new Set();
/* eslint-disable mozilla/balanced-listeners */
this.on("add-permissions", (ignoreEvent, permissions) => {
if (permissions.permissions.length > 0) {
for (let perm of permissions.permissions) {
this.permissions.add(perm);
}
}
if (permissions.origins.length > 0) {
let patterns = this.whiteListedHosts.patterns.map(host => host.pattern);
this.whiteListedHosts = new MatchPatternSet([...patterns, ...permissions.origins],
{restrictSchemes, ignorePath: true});
}
if (this.policy) {
this.policy.permissions = Array.from(this.permissions);
this.policy.allowedOrigins = this.whiteListedHosts;
}
});
this.on("remove-permissions", (ignoreEvent, permissions) => {
if (permissions.permissions.length > 0) {
for (let perm of permissions.permissions) {
this.permissions.delete(perm);
}
}
if (permissions.origins.length > 0) {
let origins = permissions.origins.map(
origin => new MatchPattern(origin, {ignorePath: true}).pattern);
this.whiteListedHosts = new MatchPatternSet(
this.whiteListedHosts.patterns
.filter(host => !origins.includes(host.pattern)));
}
if (this.policy) {
this.policy.permissions = Array.from(this.permissions);
this.policy.allowedOrigins = this.whiteListedHosts;
}
});
/* eslint-enable mozilla/balanced-listeners */
ExtensionManager.extensions.set(this.id, this);
}
getSharedData(key, value) {
return sharedData.get(`extension/${this.id}/${key}`);
}
get localeData() {
if (!this._localeData) {
this._localeData = new LocaleData(this.getSharedData("locales"));
}
return this._localeData;
}
get manifest() {
if (!this._manifest) {
this._manifest = this.getSharedData("manifest");
}
return this._manifest;
}
getAPIManager() {
let apiManagers = [ExtensionPageChild.apiManager];
if (this.dependencies) {
for (let id of this.dependencies) {
let extension = processScript.getExtensionChild(id);
if (extension) {
apiManagers.push(extension.experimentAPIManager);
}
}
}
if (this.childModules) {
this.experimentAPIManager =
new ExtensionCommon.LazyAPIManager("addon", this.childModules, this.schemaURLs);
apiManagers.push(this.experimentAPIManager);
}
if (apiManagers.length == 1) {
return apiManagers[0];
}
return new ExtensionCommon.MultiAPIManager("addon", apiManagers.reverse());
}
shutdown() {
ExtensionManager.extensions.delete(this.id);
ExtensionContent.shutdownExtension(this);
Services.cpmm.removeMessageListener(this.MESSAGE_EMIT_EVENT, this);
if (isContentProcess) {
MessageChannel.abortResponses({extensionId: this.id});
}
this.emit("shutdown");
}
getContext(window) {
return ExtensionContent.getContext(this, window);
}
async emit(event, ...args) {
Services.cpmm.sendAsyncMessage(this.MESSAGE_EMIT_EVENT, {event, args});
super.emit(event, ...args);
}
receiveMessage({name, data}) {
if (name === this.MESSAGE_EMIT_EVENT) {
super.emit(data.event, ...data.args);
}
}
localizeMessage(...args) {
return this.localeData.localizeMessage(...args);
}
localize(...args) {
return this.localeData.localize(...args);
}
hasPermission(perm) {
let match = /^manifest:(.*)/.exec(perm);
if (match) {
return this.manifest[match[1]] != null;
}
return this.permissions.has(perm);
}
}
/**
* An object that runs an remote implementation of an API.
*/
class ProxyAPIImplementation extends SchemaAPIInterface {
/**
* @param {string} namespace The full path to the namespace that contains the
* `name` member. This may contain dots, e.g. "storage.local".
* @param {string} name The name of the method or property.
* @param {ChildAPIManager} childApiManager The owner of this implementation.
*/
constructor(namespace, name, childApiManager) {
super();
this.path = `${namespace}.${name}`;
this.childApiManager = childApiManager;
}
revoke() {
let map = this.childApiManager.listeners.get(this.path);
for (let listener of map.keys()) {
this.removeListener(listener);
}
this.path = null;
this.childApiManager = null;
}
callFunctionNoReturn(args) {
this.childApiManager.callParentFunctionNoReturn(this.path, args);
}
callAsyncFunction(args, callback, requireUserInput) {
if (requireUserInput) {
let context = this.childApiManager.context;
if (!getWinUtils(context.contentWindow).isHandlingUserInput) {
let err = new context.cloneScope.Error(`${this.path} may only be called from a user input handler`);
return context.wrapPromise(Promise.reject(err), callback);
}
}
return this.childApiManager.callParentAsyncFunction(this.path, args, callback);
}
addListener(listener, args) {
let map = this.childApiManager.listeners.get(this.path);
if (map.listeners.has(listener)) {
// TODO: Called with different args?
return;
}
let id = getUniqueId();
map.ids.set(id, listener);
map.listeners.set(listener, id);
this.childApiManager.messageManager.sendAsyncMessage("API:AddListener", {
childId: this.childApiManager.id,
listenerId: id,
path: this.path,
args,
});
}
removeListener(listener) {
let map = this.childApiManager.listeners.get(this.path);
if (!map.listeners.has(listener)) {
return;
}
let id = map.listeners.get(listener);
map.listeners.delete(listener);
map.ids.delete(id);
map.removedIds.add(id);
this.childApiManager.messageManager.sendAsyncMessage("API:RemoveListener", {
childId: this.childApiManager.id,
listenerId: id,
path: this.path,
});
}
hasListener(listener) {
let map = this.childApiManager.listeners.get(this.path);
return map.listeners.has(listener);
}
}
// We create one instance of this class for every extension context that
// needs to use remote APIs. It uses the message manager to communicate
// with the ParentAPIManager singleton in ExtensionParent.jsm. It
// handles asynchronous function calls as well as event listeners.
class ChildAPIManager {
constructor(context, messageManager, localAPICan, contextData) {
this.context = context;
this.messageManager = messageManager;
this.url = contextData.url;
// The root namespace of all locally implemented APIs. If an extension calls
// an API that does not exist in this object, then the implementation is
// delegated to the ParentAPIManager.
this.localApis = localAPICan.root;
this.apiCan = localAPICan;
this.schema = this.apiCan.apiManager.schema;
this.id = `${context.extension.id}.${context.contextId}`;
MessageChannel.addListener(messageManager, "API:RunListener", this);
messageManager.addMessageListener("API:CallResult", this);
this.messageFilterStrict = {childId: this.id};
this.listeners = new DefaultMap(() => ({
ids: new Map(),
listeners: new Map(),
removedIds: new LimitedSet(10),
}));
// Map[callId -> Deferred]
this.callPromises = new Map();
let params = {
childId: this.id,
extensionId: context.extension.id,
principal: context.principal,
};
Object.assign(params, contextData);
this.messageManager.sendAsyncMessage("API:CreateProxyContext", params);
this.permissionsChangedCallbacks = new Set();
this.updatePermissions = null;
if (this.context.extension.optionalPermissions.length > 0) {
this.updatePermissions = () => {
for (let callback of this.permissionsChangedCallbacks) {
try {
callback();
} catch (err) {
Cu.reportError(err);
}
}
};
this.context.extension.on("add-permissions", this.updatePermissions);
this.context.extension.on("remove-permissions", this.updatePermissions);
}
}
inject(obj) {
this.schema.inject(obj, this);
}
receiveMessage({name, messageName, data}) {
if (data.childId != this.id) {
return;
}
switch (name || messageName) {
case "API:RunListener":
let map = this.listeners.get(data.path);
let listener = map.ids.get(data.listenerId);
if (listener) {
let args = data.args.deserialize(this.context.cloneScope);
let fire = () => this.context.applySafeWithoutClone(listener, args);
return Promise.resolve(
data.handlingUserInput ? withHandlingUserInput(this.context.contentWindow, fire)
: fire())
.then(result => {
if (result !== undefined) {
return new StructuredCloneHolder(result, this.context.cloneScope);
}
return result;
});
}
if (!map.removedIds.has(data.listenerId)) {
Services.console.logStringMessage(
`Unknown listener at childId=${data.childId} path=${data.path} listenerId=${data.listenerId}\n`);
}
break;
case "API:CallResult":
let deferred = this.callPromises.get(data.callId);
if ("error" in data) {
deferred.reject(data.error);
} else {
let result = data.result.deserialize(this.context.cloneScope);
deferred.resolve(new NoCloneSpreadArgs(result));
}
this.callPromises.delete(data.callId);
break;
}
}
/**
* Call a function in the parent process and ignores its return value.
*
* @param {string} path The full name of the method, e.g. "tabs.create".
* @param {Array} args The parameters for the function.
*/
callParentFunctionNoReturn(path, args) {
this.messageManager.sendAsyncMessage("API:Call", {
childId: this.id,
path,
args,
});
}
/**
* Calls a function in the parent process and returns its result
* asynchronously.
*
* @param {string} path The full name of the method, e.g. "tabs.create".
* @param {Array} args The parameters for the function.
* @param {function(*)} [callback] The callback to be called when the function
* completes.
* @param {object} [options] Extra options.
* @returns {Promise|undefined} Must be void if `callback` is set, and a
* promise otherwise. The promise is resolved when the function completes.
*/
callParentAsyncFunction(path, args, callback, options = {}) {
let callId = getUniqueId();
let deferred = PromiseUtils.defer();