-
Notifications
You must be signed in to change notification settings - Fork 75
/
Copy pathcaptp.js
1005 lines (905 loc) · 30.4 KB
/
captp.js
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
/** @import {RemoteKit, Settler} from '@endo/eventual-send' */
/** @import {CapTPSlot, TrapHost, TrapGuest, TrapImpl} from './types.js' */
// Your app may need to `import '@endo/eventual-send/shim.js'` to get HandledPromise
// This logic was mostly adapted from an earlier version of Agoric's liveSlots.js with a
// good dose of https://github.com/capnproto/capnproto/blob/master/c++/src/capnp/rpc.capnp
import { Remotable, Far, makeMarshal, QCLASS } from '@endo/marshal';
import { E, HandledPromise } from '@endo/eventual-send';
import { isPromise, makePromiseKit } from '@endo/promise-kit';
import { X, Fail, annotateError } from '@endo/errors';
import { makeTrap } from './trap.js';
import { makeFinalizingMap } from './finalize.js';
export { E };
const WELL_KNOWN_SLOT_PROPERTIES = harden(['answerID', 'questionID', 'target']);
const sink = () => {};
harden(sink);
/**
* @param {any} maybeThenable
* @returns {boolean}
*/
const isThenable = maybeThenable =>
maybeThenable && typeof maybeThenable.then === 'function';
/**
* Reverse slot direction.
*
* Reversed to prevent namespace collisions between slots we
* allocate and the ones the other side allocates. If we allocate
* a slot, serialize it to the other side, and they send it back to
* us, we need to reference just our own slot, not one from their
* side.
*
* @param {CapTPSlot} slot
* @returns {CapTPSlot} slot with direction reversed
*/
const reverseSlot = slot => {
const otherDir = slot[1] === '+' ? '-' : '+';
const revslot = `${slot[0]}${otherDir}${slot.slice(2)}`;
return revslot;
};
/**
* @typedef {object} CapTPImportExportTables
* @property {(value: any) => CapTPSlot} makeSlotForValue
* @property {(slot: CapTPSlot, iface: string | undefined) => any} makeValueForSlot
* @property {(slot: CapTPSlot) => boolean} hasImport
* @property {(slot: CapTPSlot) => any} getImport
* @property {(slot: CapTPSlot, value: any) => void} markAsImported
* @property {(slot: CapTPSlot) => boolean} hasExport
* @property {(slot: CapTPSlot) => any} getExport
* @property {(slot: CapTPSlot, value: any) => void} markAsExported
* @property {(slot: CapTPSlot) => void} deleteExport
* @property {() => void} didDisconnect
* @typedef {object} MakeCapTPImportExportTablesOptions
* @property {boolean} gcImports
* @property {(slot: CapTPSlot) => void} releaseSlot
* @property {(slot: CapTPSlot) => RemoteKit} makeRemoteKit
* @param {MakeCapTPImportExportTablesOptions} options
* @returns {CapTPImportExportTables}
*/
const makeDefaultCapTPImportExportTables = ({
gcImports,
releaseSlot,
makeRemoteKit,
}) => {
/** @type {Map<CapTPSlot, any>} */
const slotToExported = new Map();
const slotToImported = makeFinalizingMap(
/**
* @param {CapTPSlot} slotID
*/
slotID => {
releaseSlot(slotID);
},
{ weakValues: gcImports },
);
let lastExportID = 0;
let lastPromiseID = 0;
/**
* Called when we have encountered a new value that needs to be assigned a slot.
*
* @param {any} val
* @returns {CapTPSlot}
*/
const makeSlotForValue = val => {
/** @type {CapTPSlot} */
let slot;
if (isPromise(val)) {
// This is a promise, so we're going to increment the lastPromiseID
// and use that to construct the slot name. Promise slots are prefaced
// with 'p+'.
lastPromiseID += 1;
slot = `p+${lastPromiseID}`;
} else {
// Since this isn't a promise, we instead increment the lastExportId and
// use that to construct the slot name. Non-promises are prefaced with
// 'o+' for normal objects.
lastExportID += 1;
slot = `o+${lastExportID}`;
}
return slot;
};
/**
* Called when we have a new slot that needs to be made into a value.
*
* @param {CapTPSlot} slot
* @param {string | undefined} iface
* @returns {{val: any, settler: Settler }}
*/
const makeValueForSlot = (slot, iface) => {
let val;
// Make a new handled promise for the slot.
const { promise, settler } = makeRemoteKit(slot);
if (slot[0] === 'o' || slot[0] === 't') {
// A new remote presence
// Use Remotable rather than Far to make a remote from a presence
val = Remotable(iface, undefined, settler.resolveWithPresence());
} else if (slot[0] === 'p') {
val = promise;
} else {
Fail`Unknown slot type ${slot}`;
}
return { val, settler };
};
return {
makeSlotForValue,
makeValueForSlot,
hasImport: slot => slotToImported.has(slot),
getImport: slot => slotToImported.get(slot),
markAsImported: (slot, val) => slotToImported.set(slot, val),
hasExport: slot => slotToExported.has(slot),
getExport: slot => slotToExported.get(slot),
markAsExported: (slot, val) => slotToExported.set(slot, val),
deleteExport: slot => slotToExported.delete(slot),
didDisconnect: () => slotToImported.clearWithoutFinalizing(),
};
};
/**
* @typedef {object} CapTPOptions the options to makeCapTP
* @property {(val: unknown, slot: CapTPSlot) => void} [exportHook]
* @property {(val: unknown, slot: CapTPSlot) => void} [importHook]
* @property {(err: any) => void} [onReject]
* @property {number} [epoch] an integer tag to attach to all messages in order to
* assist in ignoring earlier defunct instance's messages
* @property {TrapGuest} [trapGuest] if specified, enable this CapTP (guest) to
* use Trap(target) to block while the recipient (host) resolves and
* communicates the response to the message
* @property {TrapHost} [trapHost] if specified, enable this CapTP (host) to serve
* objects marked with makeTrapHandler to synchronous clients (guests)
* @property {boolean} [gcImports] if true, aggressively garbage collect imports
* @property {(MakeCapTPImportExportTablesOptions) => CapTPImportExportTables} [makeCapTPImportExportTables] provide external import/export tables
*/
/**
* Create a CapTP connection.
*
* @param {string} ourId our name for the current side
* @param {((obj: Record<string, any>) => void) | ((obj: Record<string, any>) => PromiseLike<void>)} rawSend send a JSONable packet
* @param {any} bootstrapObj the object to export to the other side
* @param {CapTPOptions} opts options to the connection
*/
export const makeCapTP = (
ourId,
rawSend,
bootstrapObj = undefined,
opts = {},
) => {
/** @type {Record<string, number>} */
const sendStats = {};
/** @type {Record<string, number>} */
const recvStats = {};
const gcStats = {
DROPPED: 0,
};
const getStats = () =>
harden({
send: { ...sendStats },
recv: { ...recvStats },
gc: { ...gcStats },
});
const {
onReject = err => console.error('CapTP', ourId, 'exception:', err),
epoch = 0,
exportHook,
importHook,
trapGuest,
trapHost,
gcImports = false,
makeCapTPImportExportTables = makeDefaultCapTPImportExportTables,
} = opts;
// It's a hazard to have trapGuest and trapHost both enabled, as we may
// encounter deadlock. Without a lot more bookkeeping, we can't detect it for
// more general networks of CapTPs, but we are conservative for at least this
// one case.
!(trapHost && trapGuest) ||
Fail`CapTP ${ourId} can only be one of either trapGuest or trapHost`;
const disconnectReason = id =>
Error(`${JSON.stringify(id)} connection closed`);
/** @type {Map<string, Promise<IteratorResult<void, void>>>} */
const trapIteratorResultP = new Map();
/** @type {Map<string, AsyncIterator<void, void, any>>} */
const trapIterator = new Map();
/** @type {any} */
let unplug = false;
const quietReject = (reason = undefined, returnIt = true) => {
if ((unplug === false || reason !== unplug) && reason !== undefined) {
onReject(reason);
}
if (!returnIt) {
return Promise.resolve();
}
// Silence the unhandled rejection warning, but don't affect
// the user's handlers.
const p = Promise.reject(reason);
p.catch(sink);
return p;
};
/**
* @template T
* @param {Map<T, number>} specimenToRefCount
* @param {(specimen: T) => boolean} predicate
*/
const makeRefCounter = (specimenToRefCount, predicate) => {
/** @type {Set<T>} */
const seen = new Set();
return harden({
/**
* @param {T} specimen
* @returns {T}
*/
add(specimen) {
if (predicate(specimen)) {
seen.add(specimen);
}
return specimen;
},
commit() {
// Increment the reference count for each seen specimen.
for (const specimen of seen.keys()) {
const numRefs = specimenToRefCount.get(specimen) || 0;
specimenToRefCount.set(specimen, numRefs + 1);
}
seen.clear();
},
abort() {
seen.clear();
},
});
};
/** @type {Map<CapTPSlot, number>} */
const slotToNumRefs = new Map();
const recvSlot = makeRefCounter(
slotToNumRefs,
slot => typeof slot === 'string' && slot[1] === '-',
);
const sendSlot = makeRefCounter(
slotToNumRefs,
slot => typeof slot === 'string' && slot[1] === '+',
);
/**
* @param {Record<string, any>} obj
*/
const send = obj => {
sendStats[obj.type] = (sendStats[obj.type] || 0) + 1;
for (const prop of WELL_KNOWN_SLOT_PROPERTIES) {
sendSlot.add(obj[prop]);
}
sendSlot.commit();
// Don't throw here if unplugged, just don't send.
if (unplug !== false) {
return;
}
// Actually send the message.
Promise.resolve(rawSend(obj))
// eslint-disable-next-line no-use-before-define
.catch(abort); // Abort if rawSend returned a rejection.
};
/**
* convertValToSlot and convertSlotToVal both perform side effects,
* populating the c-lists (imports/exports/questions/answers) upon
* marshalling/unmarshalling. As we traverse the datastructure representing
* the message, we discover what we need to import/export and send relevant
* messages across the wire.
*/
const { serialize, unserialize } = makeMarshal(
// eslint-disable-next-line no-use-before-define
convertValToSlot,
// eslint-disable-next-line no-use-before-define
convertSlotToVal,
{
marshalName: `captp:${ourId}`,
// TODO Temporary hack.
// See https://github.com/Agoric/agoric-sdk/issues/2780
errorIdNum: 20000,
// TODO: fix captp to be compatible with smallcaps
serializeBodyFormat: 'capdata',
},
);
/** @type {WeakMap<any, CapTPSlot>} */
const valToSlot = new WeakMap(); // exports looked up by val
const exportedTrapHandlers = new WeakSet();
// Used to construct slot names for questions.
// In this version of CapTP we use strings for export/import slot names.
// prefixed with 'p' if promises, 'q' for questions, 'o' for objects,
// and 't' for traps.;
let lastQuestionID = 0;
let lastTrapID = 0;
/** @type {Map<CapTPSlot, Settler<unknown>>} */
const settlers = new Map();
/** @type {Map<string, any>} */
const answers = new Map(); // chosen by our peer
/**
* @template [T=unknown]
* @param {string} target
* @returns {RemoteKit<T>}
* Make a remote promise for `target` (an id in the questions table)
*/
const makeRemoteKit = target => {
/**
* This handler is set up such that it will transform both
* attribute access and method invocation of this remote promise
* as also being questions / remote handled promises
*
* @type {import('@endo/eventual-send').EHandler<{}>}
*/
const handler = {
get(_o, prop) {
if (unplug !== false) {
return quietReject(unplug);
}
// eslint-disable-next-line no-use-before-define
const [questionID, promise] = makeQuestion();
send({
type: 'CTP_CALL',
epoch,
questionID,
target,
method: serialize(harden([prop])),
});
return promise;
},
applyFunction(_o, args) {
if (unplug !== false) {
return quietReject(unplug);
}
// eslint-disable-next-line no-use-before-define
const [questionID, promise] = makeQuestion();
send({
type: 'CTP_CALL',
epoch,
questionID,
target,
// @ts-expect-error Type 'unknown' is not assignable to type 'Passable<PassableCap, Error>'.
method: serialize(harden([null, args])),
});
return promise;
},
applyMethod(_o, prop, args) {
if (unplug !== false) {
return quietReject(unplug);
}
// Support: o~.[prop](...args) remote method invocation
// eslint-disable-next-line no-use-before-define
const [questionID, promise] = makeQuestion();
send({
type: 'CTP_CALL',
epoch,
questionID,
target,
// @ts-expect-error Type 'unknown' is not assignable to type 'Passable<PassableCap, Error>'.
method: serialize(harden([prop, args])),
});
return promise;
},
};
/** @type {Settler<T> | undefined} */
let settler;
/** @type {import('@endo/eventual-send').HandledExecutor<T>} */
const executor = (resolve, reject, resolveWithPresence) => {
const s = Far('settler', {
resolve,
reject,
resolveWithPresence: () => resolveWithPresence(handler),
});
settler = s;
};
const promise = new HandledPromise(executor, handler);
assert(settler);
// Silence the unhandled rejection warning, but don't affect
// the user's handlers.
promise.catch(e => quietReject(e, false));
return harden({ promise, settler });
};
const releaseSlot = slotID => {
// We drop all the references we know about at once, since GC told us we
// don't need them anymore.
const decRefs = slotToNumRefs.get(slotID) || 0;
slotToNumRefs.delete(slotID);
send({ type: 'CTP_DROP', slotID, decRefs, epoch });
};
const importExportTables = makeCapTPImportExportTables({
gcImports,
releaseSlot,
// eslint-disable-next-line no-use-before-define
makeRemoteKit,
});
/**
* Called at marshalling time. Either retrieves an existing export, or if
* not yet exported, records this exported object. If a promise, sets up a
* promise listener to inform the other side when the promise is
* fulfilled/broken.
*
* @type {import('@endo/marshal').ConvertValToSlot<CapTPSlot>}
*/
function convertValToSlot(val) {
if (!valToSlot.has(val)) {
/** @type {CapTPSlot} */
let slot;
if (exportedTrapHandlers.has(val)) {
lastTrapID += 1;
slot = `t+${lastTrapID}`;
} else {
slot = importExportTables.makeSlotForValue(val);
}
if (exportHook) {
exportHook(val, slot);
}
if (isPromise(val)) {
// Set up promise listener to inform other side when this promise
// is fulfilled/broken
const promiseID = reverseSlot(slot);
const resolved = result =>
send({
type: 'CTP_RESOLVE',
promiseID,
res: serialize(harden(result)),
});
const rejected = reason =>
send({
type: 'CTP_RESOLVE',
promiseID,
rej: serialize(harden(reason)),
});
E.when(
val,
resolved,
rejected,
// Propagate internal errors as rejections.
).catch(rejected);
}
// Now record the export in both valToSlot and slotToVal so we can look it
// up from either the value or the slot name later.
valToSlot.set(val, slot);
importExportTables.markAsExported(slot, val);
}
// At this point, the value is guaranteed to be exported, so return the
// associated slot number.
const slot = valToSlot.get(val);
assert.typeof(slot, 'string');
sendSlot.add(slot);
return slot;
}
const IS_REMOTE_PUMPKIN = harden({});
const assertValIsLocal = val => {
const slot = valToSlot.get(val);
if (slot && slot[1] === '-') {
throw IS_REMOTE_PUMPKIN;
}
};
const { serialize: assertOnlyLocal } = makeMarshal(assertValIsLocal);
const isOnlyLocal = specimen => {
// Try marshalling the object, but throw on references to remote objects.
try {
assertOnlyLocal(harden(specimen));
return true;
} catch (e) {
if (e === IS_REMOTE_PUMPKIN) {
return false;
}
throw e;
}
};
/**
* Generate a new question in the questions table and set up a new
* remote handled promise.
*
* @returns {[CapTPSlot, Promise]}
*/
const makeQuestion = () => {
lastQuestionID += 1;
const slotID = `q-${lastQuestionID}`;
const { promise, settler } = makeRemoteKit(slotID);
settlers.set(slotID, settler);
// To fix #2846:
// We return 'p' to the handler, and the eventual resolution of 'p' will
// be used to resolve the caller's Promise, but the caller never sees 'p'
// itself. The caller got back their Promise before the handler ever got
// invoked, and thus before queueMessage was called. If that caller
// passes the Promise they received as argument or return value, we want
// it to serialize as resultVPID. And if someone passes resultVPID to
// them, we want the user-level code to get back that Promise, not 'p'.
valToSlot.set(promise, slotID);
importExportTables.markAsImported(slotID, promise);
return [sendSlot.add(slotID), promise];
};
/**
* Set up import
*
* @type {import('@endo/marshal').ConvertSlotToVal<CapTPSlot>}
*/
function convertSlotToVal(theirSlot, iface = undefined) {
const slot = reverseSlot(theirSlot);
if (slot[1] === '+') {
importExportTables.hasExport(slot) || Fail`Unknown export ${slot}`;
return importExportTables.getExport(slot);
}
if (!importExportTables.hasImport(slot)) {
if (iface === undefined) {
iface = `Alleged: Presence ${ourId} ${slot}`;
}
const { val, settler } = importExportTables.makeValueForSlot(slot, iface);
if (importHook) {
importHook(val, slot);
}
if (slot[0] === 'p') {
// A new promise
settlers.set(slot, settler);
}
importExportTables.markAsImported(slot, val);
valToSlot.set(val, slot);
}
// If we imported this slot, mark it as one our peer exported.
recvSlot.add(slot);
return importExportTables.getImport(slot);
}
// Message handler used for CapTP dispatcher
const handler = {
// Remote is asking for bootstrap object
CTP_BOOTSTRAP(obj) {
const { questionID } = obj;
const bootstrap =
typeof bootstrapObj === 'function' ? bootstrapObj(obj) : bootstrapObj;
E.when(bootstrap, bs => {
// console.log('sending bootstrap', bs);
answers.set(questionID, bs);
send({
type: 'CTP_RETURN',
epoch,
answerID: questionID,
result: serialize(bs),
});
});
},
CTP_DROP(obj) {
const { slotID, decRefs = 0 } = obj;
// Ensure we are decrementing one of our exports.
slotID[1] === '-' || Fail`Cannot drop non-exported ${slotID}`;
const slot = reverseSlot(slotID);
const numRefs = slotToNumRefs.get(slot) || 0;
const toDecr = Number(decRefs);
if (numRefs > toDecr) {
slotToNumRefs.set(slot, numRefs - toDecr);
} else {
// We are dropping the last known reference to this slot.
gcStats.DROPPED += 1;
slotToNumRefs.delete(slot);
importExportTables.deleteExport(slot);
answers.delete(slot);
}
},
// Remote is invoking a method or retrieving a property.
CTP_CALL(obj) {
// questionId: Remote promise (for promise pipelining) this call is
// to fulfill
// target: Slot id of the target to be invoked. Checks against
// answers first; otherwise goes through unserializer
const { questionID, target, trap } = obj;
const [prop, args] = unserialize(obj.method);
let val;
if (answers.has(target)) {
val = answers.get(target);
} else {
val = unserialize({
body: JSON.stringify({
[QCLASS]: 'slot',
index: 0,
}),
slots: [target],
});
}
/** @type {(isReject: boolean, value: any) => void} */
let processResult = (isReject, value) => {
// Serialize the result.
let serial;
try {
serial = serialize(harden(value));
} catch (error) {
// Promote serialization errors to rejections.
isReject = true;
serial = serialize(harden(error));
}
send({
type: 'CTP_RETURN',
epoch,
answerID: questionID,
[isReject ? 'exception' : 'result']: serial,
});
};
if (trap) {
exportedTrapHandlers.has(val) ||
Fail`Refused Trap(${val}) because target was not registered with makeTrapHandler`;
assert.typeof(
trapHost,
'function',
X`CapTP cannot answer Trap(${val}) without a trapHost function`,
);
// We need to create a promise for the "isDone" iteration right now to
// prevent a race with the other side.
const resultPK = makePromiseKit();
trapIteratorResultP.set(questionID, resultPK.promise);
processResult = (isReject, value) => {
const serialized = serialize(harden(value));
const ait = trapHost([isReject, serialized]);
if (!ait) {
// One-shot, no async iterator.
resultPK.resolve({ done: true });
return;
}
// We're ready for them to drive the iterator.
trapIterator.set(questionID, ait);
resultPK.resolve({ done: false });
};
}
// If `args` is supplied, we're applying a method or function...
// otherwise this is property access
let hp;
if (!args) {
hp = HandledPromise.get(val, prop);
} else if (prop === null) {
hp = HandledPromise.applyFunction(val, args);
} else {
hp = HandledPromise.applyMethod(val, prop, args);
}
// Answer with our handled promise
answers.set(questionID, hp);
hp
// Process this handled promise method's result when settled.
.then(
fulfilment => processResult(false, fulfilment),
reason => processResult(true, reason),
)
// Propagate internal errors as rejections.
.catch(reason => processResult(true, reason));
},
// Have the host serve more of the reply.
CTP_TRAP_ITERATE: obj => {
trapHost || Fail`CTP_TRAP_ITERATE is impossible without a trapHost`;
const { questionID, serialized } = obj;
const resultP = trapIteratorResultP.get(questionID);
resultP || Fail`CTP_TRAP_ITERATE did not expect ${questionID}`;
const [method, args] = unserialize(serialized);
const getNextResultP = async () => {
const result = await resultP;
// Done with this trap iterator.
const cleanup = () => {
trapIterator.delete(questionID);
trapIteratorResultP.delete(questionID);
return harden({ done: true });
};
// We want to ensure we clean up the iterator in case of any failure.
try {
if (!result || result.done) {
return cleanup();
}
const ait = trapIterator.get(questionID);
if (!ait) {
// The iterator is done, so we're done.
return cleanup();
}
// Drive the next iteration.
return await ait[method](...args);
} catch (e) {
cleanup();
if (!e) {
Fail`trapGuest expected trapHost AsyncIterator(${questionID}) to be done, but it wasn't`;
}
annotateError(e, X`trapHost AsyncIterator(${questionID}) threw`);
throw e;
}
};
// Store the next result promise.
const nextResultP = getNextResultP();
trapIteratorResultP.set(questionID, nextResultP);
// Ensure that our caller handles any rejection.
return nextResultP.then(sink);
},
// Answer to one of our questions.
CTP_RETURN(obj) {
const { result, exception, answerID } = obj;
const settler = settlers.get(answerID);
if (!settler) {
throw Error(
`Got an answer to a question we have not asked. (answerID = ${answerID} )`,
);
}
settlers.delete(answerID);
if ('exception' in obj) {
settler.reject(unserialize(exception));
} else {
settler.resolve(unserialize(result));
}
},
// Resolution to an imported promise
CTP_RESOLVE(obj) {
const { promiseID, res, rej } = obj;
const settler = settlers.get(promiseID);
if (!settler) {
// Not a promise we know about; maybe it was collected?
throw Error(
`Got a resolvement of a promise we have not imported. (promiseID = ${promiseID} )`,
);
}
settlers.delete(promiseID);
if ('rej' in obj) {
settler.reject(unserialize(rej));
} else {
settler.resolve(unserialize(res));
}
},
// The other side has signaled something has gone wrong.
// Pull the plug!
CTP_DISCONNECT(obj) {
const { reason = disconnectReason(ourId) } = obj;
if (unplug === false) {
// Reject with the original reason.
quietReject(obj.reason, false);
unplug = reason;
// Deliver the object, even though we're unplugged.
Promise.resolve(rawSend(obj)).catch(sink);
}
// We no longer wish to subscribe to object finalization.
importExportTables.didDisconnect();
for (const settler of settlers.values()) {
settler.reject(reason);
}
},
};
// Get a reference to the other side's bootstrap object.
const getBootstrap = async () => {
if (unplug !== false) {
return quietReject(unplug);
}
const [questionID, promise] = makeQuestion();
send({
type: 'CTP_BOOTSTRAP',
epoch,
questionID,
});
return harden(promise);
};
harden(handler);
const validTypes = new Set(Object.keys(handler));
for (const t of validTypes.keys()) {
sendStats[t] = 0;
recvStats[t] = 0;
}
// Return a dispatch function.
const dispatch = obj => {
try {
validTypes.has(obj.type) || Fail`unknown message type ${obj.type}`;
recvStats[obj.type] += 1;
if (unplug !== false) {
return false;
}
const fn = handler[obj.type];
if (!fn) {
return false;
}
for (const prop of WELL_KNOWN_SLOT_PROPERTIES) {
recvSlot.add(obj[prop]);
}
fn(obj);
recvSlot.commit();
return true;
} catch (e) {
recvSlot.abort();
quietReject(e, false);
return false;
}
};
// Abort a connection.
const abort = reason => {
dispatch({ type: 'CTP_DISCONNECT', epoch, reason });
};
const makeTrapHandler = (name, obj) => {
const far = Far(name, obj);
exportedTrapHandlers.add(far);
return far;
};
// Put together our return value.
const rets = {
abort,
dispatch,
getBootstrap,
getStats,
isOnlyLocal,
serialize,
unserialize,
makeTrapHandler,
Trap: /** @type {import('./ts-types.js').Trap | undefined} */ (undefined),
makeRemoteKit,
};
if (trapGuest) {
assert.typeof(trapGuest, 'function', X`opts.trapGuest must be a function`);
// Create the Trap proxy maker.
const makeTrapImpl =
implMethod =>
(val, ...implArgs) => {
Promise.resolve(val) !== val ||
Fail`Trap(${val}) target cannot be a promise`;
const slot = valToSlot.get(val);
// TypeScript confused about `||` control flow so use `if` instead
// https://github.com/microsoft/TypeScript/issues/50739
if (!(slot && slot[1] === '-')) {
Fail`Trap(${val}) target was not imported`;
}
// @ts-expect-error TypeScript confused by `Fail` too?
slot[0] === 't' ||
Fail`Trap(${val}) imported target was not created with makeTrapHandler`;
// Send a "trap" message.
lastQuestionID += 1;
const questionID = `q-${lastQuestionID}`;
// Encode the "method" parameter of the CTP_CALL.
let method;
switch (implMethod) {
case 'get': {
const [prop] = implArgs;
method = serialize(harden([prop]));
break;
}
case 'applyFunction': {
const [args] = implArgs;
method = serialize(harden([null, args]));
break;
}
case 'applyMethod': {
const [prop, args] = implArgs;
method = serialize(harden([prop, args]));
break;
}
default: {
Fail`Internal error; unrecognized implMethod ${implMethod}`;
}
}
// Set up the trap call with its identifying information and a way to send
// messages over the current CapTP data channel.
const [isException, serialized] = trapGuest({
trapMethod: implMethod,
// @ts-expect-error TypeScript confused by `Fail` too?
slot,
trapArgs: implArgs,
startTrap: () => {
// Send the call metadata over the connection.
send({
type: 'CTP_CALL',
epoch,
trap: true, // This is the magic marker.
questionID,
target: slot,
method,
});
// Return an IterationObserver.
const makeIteratorMethod =
(iteratorMethod, done) =>
(...args) => {
send({
type: 'CTP_TRAP_ITERATE',
epoch,
questionID,
serialized: serialize(harden([iteratorMethod, args])),
});
return harden({ done, value: undefined });
};
return harden({
next: makeIteratorMethod('next', false),
return: makeIteratorMethod('return', true),
throw: makeIteratorMethod('throw', true),
});
},
});
const value = unserialize(serialized);
!isThenable(value) ||
Fail`Trap(${val}) reply cannot be a Thenable; have ${value}`;
if (isException) {
throw value;
}
return value;
};
/** @type {TrapImpl} */
const trapImpl = {
applyFunction: makeTrapImpl('applyFunction'),
applyMethod: makeTrapImpl('applyMethod'),
get: makeTrapImpl('get'),
};
harden(trapImpl);