[TS] Properly export unitary enums such that they're in *.d.mjs
[ldk-java] / typescript_strings.py
1 from bindingstypes import ConvInfo
2 from enum import Enum
3
4 def first_to_lower(string: str) -> str:
5     first = string[0]
6     return first.lower() + string[1:]
7
8
9 class Target(Enum):
10     NODEJS = 1,
11     BROWSER = 2
12
13 class Consts:
14     def __init__(self, DEBUG: bool, target: Target, outdir: str, **kwargs):
15         self.outdir = outdir
16         self.struct_file_suffixes = {}
17         self.function_ptr_counter = 0
18         self.function_ptrs = {}
19         self.c_type_map = dict(
20             uint8_t = ['number', 'number', 'Uint8Array'],
21             uint16_t = ['number', 'number', 'Uint16Array'],
22             uint32_t = ['number', 'number', 'Uint32Array'],
23             uint64_t = ['bigint', 'bigint', 'BigUint64Array'],
24         )
25         self.java_type_map = dict(
26             String = "number"
27         )
28         self.java_hu_type_map = dict(
29             String = "string"
30         )
31
32         self.to_hu_conv_templates = dict(
33             ptr = 'const {var_name}_hu_conv: {human_type} = new {human_type}(null, {var_name});',
34             default = 'const {var_name}_hu_conv: {human_type} = new {human_type}(null, {var_name});',
35         )
36
37         self.bindings_header = """
38 import * as version from './version.mjs';
39 import { UInt5, WitnessVersion } from './structs/CommonBase.mjs';
40
41 const imports: any = {};
42 imports.env = {};
43
44 var js_objs: Array<WeakRef<object>> = [];
45 var js_invoke: Function;
46 var getRandomValues: Function;
47
48 imports.wasi_snapshot_preview1 = {
49         "fd_write": (fd: number, iovec_array_ptr: number, iovec_array_len: number) => {
50                 // This should generally only be used to print panic messages
51                 console.log("FD_WRITE to " + fd + " in " + iovec_array_len + " chunks.");
52                 const ptr_len_view = new Uint32Array(wasm.memory.buffer, iovec_array_ptr, iovec_array_len * 2);
53                 for (var i = 0; i < iovec_array_len; i++) {
54                         const bytes_view = new Uint8Array(wasm.memory.buffer, ptr_len_view[i*2], ptr_len_view[i*2+1]);
55                         console.log(String.fromCharCode(...bytes_view));
56                 }
57                 return 0;
58         },
59         "fd_close": (_fd: number) => {
60                 // This is not generally called, but may be referenced in debug builds
61                 console.log("wasi_snapshot_preview1:fd_close");
62                 return 58; // Not Supported
63         },
64         "fd_seek": (_fd: number, _offset: bigint, _whence: number, _new_offset: number) => {
65                 // This is not generally called, but may be referenced in debug builds
66                 console.log("wasi_snapshot_preview1:fd_seek");
67                 return 58; // Not Supported
68         },
69         "random_get": (buf_ptr: number, buf_len: number) => {
70                 const buf = new Uint8Array(wasm.memory.buffer, buf_ptr, buf_len);
71                 getRandomValues(buf);
72                 return 0;
73         },
74         "environ_sizes_get": (environ_var_count_ptr: number, environ_len_ptr: number) => {
75                 // This is called before fd_write to format + print panic messages
76                 console.log("wasi_snapshot_preview1:environ_sizes_get");
77                 const out_count_view = new Uint32Array(wasm.memory.buffer, environ_var_count_ptr, 1);
78                 out_count_view[0] = 0;
79                 const out_len_view = new Uint32Array(wasm.memory.buffer, environ_len_ptr, 1);
80                 out_len_view[0] = 0;
81                 return 0;
82         },
83         "environ_get": (environ_ptr: number, environ_buf_ptr: number) => {
84                 // This is called before fd_write to format + print panic messages
85                 console.log("wasi_snapshot_preview1:environ_get");
86                 return 58; // Note supported - we said there were 0 environment entries!
87         },
88         "proc_exit" : () => {
89                 console.log("wasi_snapshot_preview1:proc_exit");
90         },
91 };
92
93 var wasm: any = null;
94 let isWasmInitialized: boolean = false;
95
96 async function finishInitializeWasm(wasmInstance: WebAssembly.Instance) {
97         if (typeof crypto === "undefined") {
98                 var crypto_import = (await import('crypto')).webcrypto;
99                 getRandomValues = crypto_import.getRandomValues.bind(crypto_import);
100         } else {
101                 getRandomValues = crypto.getRandomValues.bind(crypto);
102         }
103
104         wasm = wasmInstance.exports;
105         if (!wasm.test_bigint_pass_deadbeef0badf00d(BigInt("0xdeadbeef0badf00d"))) {
106                 throw new Error(\"Currently need BigInt-as-u64 support, try ----experimental-wasm-bigint");
107         }
108
109         if (decodeString(wasm.TS_get_lib_version_string()) !== version.get_ldk_java_bindings_version())
110                 throw new Error(\"Compiled LDK library and LDK class files do not match\");
111         // Fetching the LDK versions from C also checks that the header and binaries match
112         const c_bindings_ver: number = wasm.TS_get_ldk_c_bindings_version();
113         const ldk_ver: number = wasm.TS_get_ldk_version();
114         if (c_bindings_ver == 0)
115                 throw new Error(\"LDK version did not match the header we built against\");
116         if (ldk_ver == 0)
117                 throw new Error(\"LDK C bindings version did not match the header we built against\");
118         const c_bindings_version: string = decodeString(c_bindings_ver)
119         const ldk_version: string = decodeString(ldk_ver);
120         console.log(\"Loaded LDK-Java Bindings with LDK \" + ldk_version + \" and LDK-C-Bindings \" + c_bindings_version);
121
122         isWasmInitialized = true;
123 }
124
125 /* @internal */
126 export async function initializeWasmFromUint8Array(wasmBinary: Uint8Array) {
127         imports.env["js_invoke_function_u"] = js_invoke;
128         imports.env["js_invoke_function_b"] = js_invoke;
129         const { instance: wasmInstance } = await WebAssembly.instantiate(wasmBinary, imports);
130         await finishInitializeWasm(wasmInstance);
131 }
132
133 /* @internal */
134 export async function initializeWasmFetch(uri: string) {
135         const stream = fetch(uri);
136         imports.env["js_invoke_function_u"] = js_invoke;
137         imports.env["js_invoke_function_b"] = js_invoke;
138         const { instance: wasmInstance } = await WebAssembly.instantiateStreaming(stream, imports);
139         await finishInitializeWasm(wasmInstance);
140 }"""
141
142         self.bindings_header += """
143 // WASM CODEC
144
145 /* @internal */
146 export function uint5ArrToBytes(inputArray: Array<UInt5>): Uint8Array {
147         const arr = new Uint8Array(inputArray.length);
148         for (var i = 0; i < inputArray.length; i++) {
149                 arr[i] = inputArray[i].getVal();
150         }
151         return arr;
152 }
153
154 /* @internal */
155 export function WitnessVersionArrToBytes(inputArray: Array<WitnessVersion>): Uint8Array {
156         const arr = new Uint8Array(inputArray.length);
157         for (var i = 0; i < inputArray.length; i++) {
158                 arr[i] = inputArray[i].getVal();
159         }
160         return arr;
161 }
162
163
164
165 /* @internal */
166 export function encodeUint8Array (inputArray: Uint8Array): number {
167         const cArrayPointer = wasm.TS_malloc(inputArray.length + 4);
168         const arrayLengthView = new Uint32Array(wasm.memory.buffer, cArrayPointer, 1);
169         arrayLengthView[0] = inputArray.length;
170         const arrayMemoryView = new Uint8Array(wasm.memory.buffer, cArrayPointer + 4, inputArray.length);
171         arrayMemoryView.set(inputArray);
172         return cArrayPointer;
173 }
174 /* @internal */
175 export function encodeUint32Array (inputArray: Uint32Array|Array<number>): number {
176         const cArrayPointer = wasm.TS_malloc((inputArray.length + 1) * 4);
177         const arrayMemoryView = new Uint32Array(wasm.memory.buffer, cArrayPointer, inputArray.length);
178         arrayMemoryView.set(inputArray, 1);
179         arrayMemoryView[0] = inputArray.length;
180         return cArrayPointer;
181 }
182 /* @internal */
183 export function encodeUint64Array (inputArray: BigUint64Array|Array<bigint>): number {
184         const cArrayPointer = wasm.TS_malloc(inputArray.length * 8 + 1);
185         const arrayLengthView = new Uint32Array(wasm.memory.buffer, cArrayPointer, 1);
186         arrayLengthView[0] = inputArray.length;
187         const arrayMemoryView = new BigUint64Array(wasm.memory.buffer, cArrayPointer + 4, inputArray.length);
188         arrayMemoryView.set(inputArray);
189         return cArrayPointer;
190 }
191
192 /* @internal */
193 export function check_arr_len(arr: Uint8Array, len: number): Uint8Array {
194         if (arr.length != len) { throw new Error("Expected array of length " + len + "got " + arr.length); }
195         return arr;
196 }
197
198 /* @internal */
199 export function getArrayLength(arrayPointer: number): number {
200         const arraySizeViewer = new Uint32Array(wasm.memory.buffer, arrayPointer, 1);
201         return arraySizeViewer[0];
202 }
203 /* @internal */
204 export function decodeUint8Array (arrayPointer: number, free = true): Uint8Array {
205         const arraySize = getArrayLength(arrayPointer);
206         const actualArrayViewer = new Uint8Array(wasm.memory.buffer, arrayPointer + 4, arraySize);
207         // Clone the contents, TODO: In the future we should wrap the Viewer in a class that
208         // will free the underlying memory when it becomes unreachable instead of copying here.
209         // Note that doing so may have edge-case interactions with memory resizing (invalidating the buffer).
210         const actualArray = actualArrayViewer.slice(0, arraySize);
211         if (free) {
212                 wasm.TS_free(arrayPointer);
213         }
214         return actualArray;
215 }
216 const decodeUint32Array = (arrayPointer: number, free = true) => {
217         const arraySize = getArrayLength(arrayPointer);
218         const actualArrayViewer = new Uint32Array(
219                 wasm.memory.buffer, // value
220                 arrayPointer + 4, // offset (ignoring length bytes)
221                 arraySize // uint32 count
222         );
223         // Clone the contents, TODO: In the future we should wrap the Viewer in a class that
224         // will free the underlying memory when it becomes unreachable instead of copying here.
225         const actualArray = actualArrayViewer.slice(0, arraySize);
226         if (free) {
227                 wasm.TS_free(arrayPointer);
228         }
229         return actualArray;
230 }
231
232
233 export function freeWasmMemory(pointer: number) { wasm.TS_free(pointer); }
234
235 /* @internal */
236 export function getU32ArrayElem(arrayPointer: number, idx: number): number {
237         const actualArrayViewer = new Uint32Array(wasm.memory.buffer, arrayPointer + 4, idx + 1);
238         return actualArrayViewer[idx];
239 }
240
241 /* @internal */
242 export function getU8ArrayElem(arrayPointer: number, idx: number): number {
243         const actualArrayViewer = new Uint8Array(wasm.memory.buffer, arrayPointer + 4, idx + 1);
244         return actualArrayViewer[idx];
245 }
246
247
248 /* @internal */
249 export function encodeString(str: string): number {
250         const charArray = new TextEncoder().encode(str);
251         return encodeUint8Array(charArray);
252 }
253
254 /* @internal */
255 export function decodeString(stringPointer: number, free = true): string {
256         const arraySize = getArrayLength(stringPointer);
257         const memoryView = new Uint8Array(wasm.memory.buffer, stringPointer + 4, arraySize);
258         const result = new TextDecoder("utf-8").decode(memoryView);
259
260         if (free) {
261                 wasm.TS_free(stringPointer);
262         }
263
264         return result;
265 }
266 """
267         if DEBUG:
268             self.bindings_header += """
269 /* @internal */
270 export function getRemainingAllocationCount(): number {
271         return wasm.TS_allocs_remaining();
272 }
273 /* @internal */
274 export function debugPrintRemainingAllocs() {
275         wasm.TS_print_leaks();
276 }
277 """
278         else:
279             self.bindings_header += "\n/* @internal */ export function getRemainingAllocationCount(): number { return 0; }\n"
280             self.bindings_header += "/* @internal */ export function debugPrintRemainingAllocs() { }\n"
281
282         with open(outdir + "/index.mts", 'a') as index:
283             index.write("""import { initializeWasmFetch, initializeWasmFromUint8Array } from './bindings.mjs';
284 /** Initializes the WASM backend by calling `fetch()` on the given URI - Browser only */
285 export async function initializeWasmWebFetch(uri: string) {
286         await initializeWasmFetch(uri);
287 }
288 /** Initializes the WASM backend given a Uint8Array of the .wasm binary file - Browser or Node.JS */
289 export async function initializeWasmFromBinary(bin: Uint8Array) {
290         await initializeWasmFromUint8Array(bin);
291 }
292
293 """)
294
295         self.bindings_version_file = """export function get_ldk_java_bindings_version(): String {
296         return "<git_version_ldk_garbagecollected>";
297 }"""
298
299         self.bindings_footer = ""
300
301         self.common_base = """
302 function freer(f: () => void) { f() }
303 const finalizer = new FinalizationRegistry(freer);
304 function get_freeer(ptr: number, free_fn: (ptr: number) => void) {
305         return () => {
306                 free_fn(ptr);
307         }
308 }
309
310 export class CommonBase {
311         protected ptr: number;
312         protected ptrs_to: object[] = [];
313         protected constructor(ptr: number, free_fn: (ptr: number) => void) {
314                 this.ptr = ptr;
315                 if (Number.isFinite(ptr) && ptr != 0){
316                         finalizer.register(this, get_freeer(ptr, free_fn));
317                 }
318         }
319         // In Java, protected means "any subclass can access fields on any other subclass'"
320         // In TypeScript, protected means "any subclass can access parent fields on instances of itself"
321         // To work around this, we add accessors for other instances' protected fields here.
322         protected static add_ref_from(holder: CommonBase, referent: object) {
323                 holder.ptrs_to.push(referent);
324         }
325         protected static get_ptr_of(o: CommonBase) {
326                 return o.ptr;
327         }
328         protected static set_null_skip_free(o: CommonBase) {
329                 o.ptr = 0;
330                 finalizer.unregister(o);
331         }
332 }
333
334 export class UInt5 {
335         public constructor(private val: number) {
336                 if (val > 32 || val < 0) throw new Error("UInt5 value is out of range");
337         }
338         public getVal(): number {
339                 return this.val;
340         }
341 }
342
343 export class WitnessVersion {
344         public constructor(private val: number) {
345                 if (val > 16 || val < 0) throw new Error("WitnessVersion value is out of range");
346         }
347         public getVal(): number {
348                 return this.val;
349         }
350 }
351
352 export class UnqualifiedError {
353         public constructor(val: number) {}
354 }
355 """
356
357         self.txout_defn = """export class TxOut extends CommonBase {
358         /** The script_pubkey in this output */
359         public script_pubkey: Uint8Array;
360         /** The value, in satoshis, of this output */
361         public value: bigint;
362
363         /* @internal */
364         public constructor(_dummy: object, ptr: number) {
365                 super(ptr, bindings.TxOut_free);
366                 this.script_pubkey = bindings.decodeUint8Array(bindings.TxOut_get_script_pubkey(ptr));
367                 this.value = bindings.TxOut_get_value(ptr);
368         }
369         public constructor_new(value: bigint, script_pubkey: Uint8Array): TxOut {
370                 return new TxOut(null, bindings.TxOut_new(bindings.encodeUint8Array(script_pubkey), value));
371         }
372 }"""
373         self.obj_defined(["TxOut"], "structs")
374
375         self.c_file_pfx = """#include "js-wasm.h"
376 #include <stdatomic.h>
377 #include <lightning.h>
378
379 // These should be provided...somehow...
380 void *memset(void *s, int c, size_t n);
381 void *memcpy(void *dest, const void *src, size_t n);
382 int memcmp(const void *s1, const void *s2, size_t n);
383
384 extern void __attribute__((noreturn)) abort(void);
385 static inline void assert(bool expression) {
386         if (!expression) { abort(); }
387 }
388
389 uint32_t __attribute__((export_name("test_bigint_pass_deadbeef0badf00d"))) test_bigint_pass_deadbeef0badf00d(uint64_t val) {
390         return val == 0xdeadbeef0badf00dULL;
391 }
392
393 """
394
395         if not DEBUG:
396             self.c_file_pfx += """
397 void *malloc(size_t size);
398 void free(void *ptr);
399
400 #define MALLOC(a, _) malloc(a)
401 #define do_MALLOC(a, _b, _c) malloc(a)
402 #define FREE(p) if ((unsigned long)(p) > 4096) { free(p); }
403 #define DO_ASSERT(a) (void)(a)
404 #define CHECK(a)
405 #define CHECK_ACCESS(p)
406 #define CHECK_INNER_FIELD_ACCESS_OR_NULL(v)
407 """
408         else:
409             self.c_file_pfx += """
410 extern int snprintf(char *str, size_t size, const char *format, ...);
411 typedef int32_t ssize_t;
412 ssize_t write(int fd, const void *buf, size_t count);
413 #define DEBUG_PRINT(...) do { \\
414         char debug_str[1024]; \\
415         int s_len = snprintf(debug_str, 1023, __VA_ARGS__); \\
416         write(2, debug_str, s_len); \\
417 } while (0);
418
419 // Always run a, then assert it is true:
420 #define DO_ASSERT(a) do { bool _assert_val = (a); assert(_assert_val); } while(0)
421 // Assert a is true or do nothing
422 #define CHECK(a) DO_ASSERT(a)
423
424 // Running a leak check across all the allocations and frees of the JDK is a mess,
425 // so instead we implement our own naive leak checker here, relying on the -wrap
426 // linker option to wrap malloc/calloc/realloc/free, tracking everyhing allocated
427 // and free'd in Rust or C across the generated bindings shared library.
428
429 #define BT_MAX 128
430 typedef struct allocation {
431         struct allocation* next;
432         void* ptr;
433         const char* struct_name;
434         int lineno;
435 } allocation;
436 static allocation* allocation_ll = NULL;
437 static allocation* freed_ll = NULL;
438
439 extern void* __real_malloc(size_t len);
440 extern void* __real_calloc(size_t nmemb, size_t len);
441 extern void* __real_aligned_alloc(size_t alignment, size_t size);
442 static void new_allocation(void* res, const char* struct_name, int lineno) {
443         allocation* new_alloc = __real_malloc(sizeof(allocation));
444         new_alloc->ptr = res;
445         new_alloc->struct_name = struct_name;
446         new_alloc->next = allocation_ll;
447         new_alloc->lineno = lineno;
448         allocation_ll = new_alloc;
449 }
450 static void* do_MALLOC(size_t len, const char* struct_name, int lineno) {
451         void* res = __real_malloc(len);
452         new_allocation(res, struct_name, lineno);
453         return res;
454 }
455 #define MALLOC(len, struct_name) do_MALLOC(len, struct_name, __LINE__)
456
457 void __real_free(void* ptr);
458 static void alloc_freed(void* ptr, int lineno) {
459         allocation* p = NULL;
460         allocation* it = allocation_ll;
461         while (it->ptr != ptr) {
462                 p = it; it = it->next;
463                 if (it == NULL) {
464                         p = NULL;
465                         it = freed_ll;
466                         while (it && it->ptr != ptr) { p = it; it = it->next; }
467                         if (it == NULL) {
468                                 DEBUG_PRINT("Tried to free unknown pointer %p at line %d.\\n", ptr, lineno);
469                         } else {
470                                 DEBUG_PRINT("Tried to free unknown pointer %p at line %d.\\n Possibly double-free from %s, allocated on line %d.", ptr, lineno, it->struct_name, it->lineno);
471                         }
472                         abort();
473                 }
474         }
475         if (p) { p->next = it->next; } else { allocation_ll = it->next; }
476         DO_ASSERT(it->ptr == ptr);
477         it->next = freed_ll;
478         freed_ll = it;
479 }
480 static void do_FREE(void* ptr, int lineno) {
481         if ((unsigned long)ptr <= 4096) return; // Rust loves to create pointers to the NULL page for dummys
482         alloc_freed(ptr, lineno);
483         __real_free(ptr);
484 }
485 #define FREE(ptr) do_FREE(ptr, __LINE__)
486
487 static void CHECK_ACCESS(const void* ptr) {
488         allocation* it = allocation_ll;
489         while (it->ptr != ptr) {
490                 it = it->next;
491                 if (it == NULL) {
492                         return; // addrsan should catch malloc-unknown and print more info than we have
493                 }
494         }
495 }
496 #define CHECK_INNER_FIELD_ACCESS_OR_NULL(v) \\
497         if (v.is_owned && v.inner != NULL) { \\
498                 const void *p = __unmangle_inner_ptr(v.inner); \\
499                 if (p != NULL) { \\
500                         CHECK_ACCESS(p); \\
501                 } \\
502         }
503
504 void* __wrap_malloc(size_t len) {
505         void* res = __real_malloc(len);
506         new_allocation(res, "malloc call", 0);
507         return res;
508 }
509 void* __wrap_calloc(size_t nmemb, size_t len) {
510         void* res = __real_calloc(nmemb, len);
511         new_allocation(res, "calloc call", 0);
512         return res;
513 }
514 void* __wrap_aligned_alloc(size_t alignment, size_t size) {
515         void* res = __real_aligned_alloc(alignment, size);
516         new_allocation(res, "aligned_alloc call", 0);
517         return res;
518 }
519 void __wrap_free(void* ptr) {
520         if (ptr == NULL) return;
521         alloc_freed(ptr, 0);
522         __real_free(ptr);
523 }
524
525 void* __real_realloc(void* ptr, size_t newlen);
526 void* __wrap_realloc(void* ptr, size_t len) {
527         if (ptr != NULL) alloc_freed(ptr, 0);
528         void* res = __real_realloc(ptr, len);
529         new_allocation(res, "realloc call", 0);
530         return res;
531 }
532 void __wrap_reallocarray(void* ptr, size_t new_sz) {
533         // Rust doesn't seem to use reallocarray currently
534         DO_ASSERT(false);
535 }
536
537 uint32_t __attribute__((export_name("TS_allocs_remaining"))) allocs_remaining() {
538         uint32_t count = 0;
539         for (allocation* a = allocation_ll; a != NULL; a = a->next) {
540                 count++;
541         }
542         return count;
543 }
544 void __attribute__((export_name("TS_print_leaks"))) print_leaks() {
545         for (allocation* a = allocation_ll; a != NULL; a = a->next) {
546                 DEBUG_PRINT("%s %p remains. Allocated on line %d\\n", a->struct_name, a->ptr, a->lineno);
547         }
548 }
549 """
550         self.c_file_pfx = self.c_file_pfx + """
551 // We assume that CVec_u8Z and u8slice are the same size and layout (and thus pointers to the two can be mixed)
552 _Static_assert(sizeof(LDKCVec_u8Z) == sizeof(LDKu8slice), "Vec<u8> and [u8] need to have been mapped identically");
553 _Static_assert(offsetof(LDKCVec_u8Z, data) == offsetof(LDKu8slice, data), "Vec<u8> and [u8] need to have been mapped identically");
554 _Static_assert(offsetof(LDKCVec_u8Z, datalen) == offsetof(LDKu8slice, datalen), "Vec<u8> and [u8] need to have been mapped identically");
555
556 _Static_assert(sizeof(void*) == 4, "Pointers mut be 32 bits");
557
558 #define DECL_ARR_TYPE(ty, name) \\
559         struct name##array { \\
560                 uint32_t arr_len; \\
561                 ty elems[]; \\
562         }; \\
563         typedef struct name##array * name##Array; \\
564         static inline name##Array init_##name##Array(size_t arr_len, int lineno) { \\
565                 name##Array arr = (name##Array)do_MALLOC(arr_len * sizeof(ty) + sizeof(uint32_t), #name" array init", lineno); \\
566                 arr->arr_len = arr_len; \\
567                 return arr; \\
568         }
569
570 DECL_ARR_TYPE(int64_t, int64_t);
571 DECL_ARR_TYPE(int8_t, int8_t);
572 DECL_ARR_TYPE(uint32_t, uint32_t);
573 DECL_ARR_TYPE(void*, ptr);
574 DECL_ARR_TYPE(char, char);
575 typedef charArray jstring;
576
577 static inline jstring str_ref_to_ts(const char* chars, size_t len) {
578         charArray arr = init_charArray(len, __LINE__);
579         memcpy(arr->elems, chars, len);
580         return arr;
581 }
582 static inline LDKStr str_ref_to_owned_c(const jstring str) {
583         char* newchars = MALLOC(str->arr_len + 1, "String chars");
584         memcpy(newchars, str->elems, str->arr_len);
585         newchars[str->arr_len] = 0;
586         LDKStr res = {
587                 .chars = newchars,
588                 .len = str->arr_len,
589                 .chars_is_owned = true
590         };
591         return res;
592 }
593
594 typedef bool jboolean;
595
596 uint32_t __attribute__((export_name("TS_malloc"))) TS_malloc(uint32_t size) {
597         return (uint32_t)MALLOC(size, "JS-Called malloc");
598 }
599 void __attribute__((export_name("TS_free"))) TS_free(uint32_t ptr) {
600         FREE((void*)ptr);
601 }
602
603 jstring __attribute__((export_name("TS_get_ldk_c_bindings_version"))) TS_get_ldk_c_bindings_version() {
604         const char *res = check_get_ldk_bindings_version();
605         if (res == NULL) return NULL;
606         return str_ref_to_ts(res, strlen(res));
607 }
608 jstring __attribute__((export_name("TS_get_ldk_version"))) get_ldk_version() {
609         const char *res = check_get_ldk_version();
610         if (res == NULL) return NULL;
611         return str_ref_to_ts(res, strlen(res));
612 }
613 #include "version.c"
614 """
615
616         self.c_version_file = """jstring __attribute__((export_name("TS_get_lib_version_string"))) TS_get_lib_version_string() {
617         return str_ref_to_ts("<git_version_ldk_garbagecollected>", strlen("<git_version_ldk_garbagecollected>"));
618 }"""
619
620         self.hu_struct_file_prefix = """
621 import { CommonBase, UInt5, WitnessVersion, UnqualifiedError } from './CommonBase.mjs';
622 import * as bindings from '../bindings.mjs'
623
624 """
625         self.util_fn_pfx = self.hu_struct_file_prefix + "\nexport class UtilMethods extends CommonBase {\n"
626         self.util_fn_sfx = "}"
627         self.c_fn_ty_pfx = ""
628         self.file_ext = ".mts"
629         self.ptr_c_ty = "uint32_t"
630         self.ptr_native_ty = "number"
631         self.result_c_ty = "uint32_t"
632         self.ptr_arr = "ptrArray"
633         self.is_arr_some_check = ("", " != 0")
634         self.get_native_arr_len_call = ("", "->arr_len")
635
636     def release_native_arr_ptr_call(self, ty_info, arr_var, arr_ptr_var):
637         return None
638     def create_native_arr_call(self, arr_len, ty_info):
639         if ty_info.c_ty == "ptrArray":
640             assert ty_info.rust_obj == "LDKCVec_u5Z" or (ty_info.subty is not None and ty_info.subty.c_ty.endswith("Array"))
641         return "init_" + ty_info.c_ty + "(" + arr_len + ", __LINE__)"
642     def set_native_arr_contents(self, arr_name, arr_len, ty_info):
643         if ty_info.c_ty == "int8_tArray":
644             return ("memcpy(" + arr_name + "->elems, ", ", " + arr_len + ")")
645         else:
646             assert False
647     def get_native_arr_contents(self, arr_name, dest_name, arr_len, ty_info, copy):
648         if ty_info.c_ty == "int8_tArray":
649             if copy:
650                 return "memcpy(" + dest_name + ", " + arr_name + "->elems, " + arr_len + "); FREE(" + arr_name + ")"
651         assert not copy
652         if ty_info.c_ty == "ptrArray":
653             return "(void*) " + arr_name + "->elems"
654         else:
655             return arr_name + "->elems"
656     def get_native_arr_elem(self, arr_name, idxc, ty_info):
657         assert False # Only called if above is None
658     def get_native_arr_ptr_call(self, ty_info):
659         if ty_info.subty is not None:
660             return "(" + ty_info.subty.c_ty + "*)(((uint8_t*)", ") + 4)"
661         return "(" + ty_info.c_ty + "*)(((uint8_t*)", ") + 4)"
662     def get_native_arr_entry_call(self, ty_info, arr_name, idxc, entry_access):
663         return None
664     def cleanup_native_arr_ref_contents(self, arr_name, dest_name, arr_len, ty_info):
665         if ty_info.c_ty == "int8_tArray":
666             return "FREE(" + arr_name + ");"
667         else:
668             return "FREE(" + arr_name + ")"
669
670     def map_hu_array_elems(self, arr_name, conv_name, arr_ty, elem_ty):
671         if elem_ty.rust_obj == "LDKu5":
672             return arr_name + " != null ? bindings.uint5ArrToBytes(" + arr_name + ") : null"
673         assert elem_ty.c_ty == "uint32_t" or elem_ty.c_ty.endswith("Array")
674         return arr_name + " != null ? " + arr_name + ".map(" + conv_name + " => " + elem_ty.from_hu_conv[0] + ") : null"
675
676     def str_ref_to_native_call(self, var_name, str_len):
677         return "str_ref_to_ts(" + var_name + ", " + str_len + ")"
678     def str_ref_to_c_call(self, var_name):
679         return "str_ref_to_owned_c(" + var_name + ")"
680     def str_to_hu_conv(self, var_name):
681         return "const " + var_name + "_conv: string = bindings.decodeString(" + var_name + ");"
682     def str_from_hu_conv(self, var_name):
683         return ("bindings.encodeString(" + var_name + ")", "")
684
685     def c_fn_name_define_pfx(self, fn_name, have_args):
686         return " __attribute__((export_name(\"TS_" + fn_name + "\"))) TS_" + fn_name + "("
687
688     def init_str(self):
689         return ""
690
691     def get_java_arr_len(self, arr_name):
692         return "bindings.getArrayLength(" + arr_name + ")"
693     def get_java_arr_elem(self, elem_ty, arr_name, idx):
694         if elem_ty.c_ty == "uint32_t" or elem_ty.c_ty == "uintptr_t" or elem_ty.c_ty.endswith("Array"):
695             return "bindings.getU32ArrayElem(" + arr_name + ", " + idx + ")"
696         elif elem_ty.rust_obj == "LDKu5":
697             return "bindings.getU8ArrayElem(" + arr_name + ", " + idx + ")"
698         else:
699             assert False
700     def constr_hu_array(self, ty_info, arr_len):
701         return "new Array(" + arr_len + ").fill(null)"
702     def cleanup_converted_native_array(self, ty_info, arr_name):
703         return "bindings.freeWasmMemory(" + arr_name + ")"
704
705     def primitive_arr_from_hu(self, mapped_ty, fixed_len, arr_name):
706         inner = arr_name
707         if fixed_len is not None:
708             assert mapped_ty.c_ty == "int8_t"
709             inner = "bindings.check_arr_len(" + arr_name + ", " + fixed_len + ")"
710         if mapped_ty.c_ty.endswith("Array"):
711             return ("bindings.encodeUint32Array(" + inner + ")", "")
712         elif mapped_ty.c_ty == "uint8_t" or mapped_ty.c_ty == "int8_t":
713             return ("bindings.encodeUint8Array(" + inner + ")", "")
714         elif mapped_ty.c_ty == "uint32_t":
715             return ("bindings.encodeUint32Array(" + inner + ")", "")
716         elif mapped_ty.c_ty == "int64_t":
717             return ("bindings.encodeUint64Array(" + inner + ")", "")
718         else:
719             print(mapped_ty.c_ty)
720             assert False
721
722     def primitive_arr_to_hu(self, mapped_ty, fixed_len, arr_name, conv_name):
723         assert mapped_ty.c_ty == "uint8_t" or mapped_ty.c_ty == "int8_t"
724         return "const " + conv_name + ": Uint8Array = bindings.decodeUint8Array(" + arr_name + ");"
725
726     def var_decl_statement(self, ty_string, var_name, statement):
727         return "const " + var_name + ": " + ty_string + " = " + statement
728
729     def java_arr_ty_str(self, elem_ty_str):
730         return "number"
731
732     def for_n_in_range(self, n, minimum, maximum):
733         return "for (var " + n + " = " + minimum + "; " + n + " < " + maximum + "; " + n + "++) {"
734     def for_n_in_arr(self, n, arr_name, arr_elem_ty):
735         return (arr_name + ".forEach((" + n + ": " + arr_elem_ty.java_hu_ty + ") => { ", " })")
736
737     def get_ptr(self, var):
738         return "CommonBase.get_ptr_of(" + var + ")"
739     def set_null_skip_free(self, var):
740         return "CommonBase.set_null_skip_free(" + var + ");"
741
742     def add_ref(self, holder, referent):
743         return "CommonBase.add_ref_from(" + holder + ", " + referent + ")"
744
745     def obj_defined(self, struct_names, folder):
746         with open(self.outdir + "/index.mts", 'a') as index:
747             index.write(f"export * from './{folder}/{struct_names[0]}.mjs';\n")
748         with open(self.outdir + "/imports.mts.part", 'a') as imports:
749             imports.write(f"import {{ {', '.join(struct_names)} }} from '../{folder}/{struct_names[0]}.mjs';\n")
750
751     def fully_qualified_hu_ty_path(self, ty):
752         return ty.java_hu_ty
753
754     def native_c_unitary_enum_map(self, struct_name, variants, enum_doc_comment):
755         out_c = "static inline LDK" + struct_name + " LDK" + struct_name + "_from_js(int32_t ord) {\n"
756         out_c = out_c + "\tswitch (ord) {\n"
757         ord_v = 0
758
759         out_typescript_enum_fields = ""
760
761         for var, var_docs in variants:
762             out_c = out_c + "\t\tcase %d: return %s;\n" % (ord_v, var)
763             ord_v = ord_v + 1
764             if var_docs is not None:
765                 var_docs_repld = var_docs.replace("\n", "\n\t")
766                 out_typescript_enum_fields += f"/**\n\t * {var_docs_repld}\n\t */\n"
767             out_typescript_enum_fields += f"\t{var},\n\t"
768         out_c = out_c + "\t}\n"
769         out_c = out_c + "\tabort();\n"
770         out_c = out_c + "}\n"
771
772         out_c = out_c + "static inline int32_t LDK" + struct_name + "_to_js(LDK" + struct_name + " val) {\n"
773         out_c = out_c + "\tswitch (val) {\n"
774         ord_v = 0
775         for var, _ in variants:
776             out_c = out_c + "\t\tcase " + var + ": return %d;\n" % ord_v
777             ord_v = ord_v + 1
778         out_c = out_c + "\t\tdefault: abort();\n"
779         out_c = out_c + "\t}\n"
780         out_c = out_c + "}\n"
781
782         # Note that this is *not* marked /* @internal */ as we re-expose it directly in enums/
783         enum_comment_formatted = enum_doc_comment.replace("\n", "\n * ")
784         out_typescript = f"""
785 /**
786  * {enum_comment_formatted}
787  */
788 export enum {struct_name} {{
789         {out_typescript_enum_fields}
790 }}
791 """
792         out_typescript_enum = f"export {{ {struct_name} }} from \"../bindings.mjs\";"
793         self.obj_defined([struct_name], "enums")
794         return (out_c, out_typescript_enum, out_typescript)
795
796     def c_unitary_enum_to_native_call(self, ty_info):
797         return (ty_info.rust_obj + "_to_js(", ")")
798     def native_unitary_enum_to_c_call(self, ty_info):
799         return (ty_info.rust_obj + "_from_js(", ")")
800
801     def native_c_map_trait(self, struct_name, field_var_conversions, flattened_field_var_conversions, field_function_lines, trait_doc_comment):
802         out_typescript_bindings = ""
803         super_instantiator = ""
804         bindings_instantiator = ""
805         pointer_to_adder = ""
806         impl_constructor_arguments = ""
807         for var in flattened_field_var_conversions:
808             if isinstance(var, ConvInfo):
809                 impl_constructor_arguments += f", {var.arg_name}: {var.java_hu_ty}"
810                 super_instantiator += first_to_lower(var.arg_name) + ", "
811                 if var.from_hu_conv is not None:
812                     bindings_instantiator += ", " + var.from_hu_conv[0]
813                     if var.from_hu_conv[1] != "":
814                         pointer_to_adder += "\t\t\t" + var.from_hu_conv[1] + ";\n"
815                 else:
816                     bindings_instantiator += ", " + first_to_lower(var.arg_name)
817             else:
818                 bindings_instantiator += ", " + first_to_lower(var[1]) + ".bindings_instance"
819                 super_instantiator += first_to_lower(var[1]) + "_impl, "
820                 pointer_to_adder += "\t\timpl_holder.held.ptrs_to.push(" + first_to_lower(var[1]) + ");\n"
821                 impl_constructor_arguments += f", {first_to_lower(var[1])}_impl: {var[0].replace('LDK', '')}Interface"
822
823         super_constructor_statements = ""
824         trait_constructor_arguments = ""
825         for var in field_var_conversions:
826             if isinstance(var, ConvInfo):
827                 trait_constructor_arguments += ", " + var.arg_name
828             else:
829                 super_constructor_statements += "\t\tconst " + first_to_lower(var[1]) + " = " + var[1] + ".new_impl(" + super_instantiator + ");\n"
830                 trait_constructor_arguments += ", " + first_to_lower(var[1]) + ".bindings_instance"
831                 for suparg in var[2]:
832                     if isinstance(suparg, ConvInfo):
833                         trait_constructor_arguments += ", " + suparg.arg_name
834                     else:
835                         trait_constructor_arguments += ", " + suparg[1]
836
837         # BUILD INTERFACE METHODS
838         out_java_interface = ""
839         out_interface_implementation_overrides = ""
840         java_methods = []
841         for fn_line in field_function_lines:
842             java_method_descriptor = ""
843             if fn_line.fn_name != "free" and fn_line.fn_name != "cloned":
844                 out_java_interface += "\t/**" + fn_line.docs.replace("\n", "\n\t * ") + "\n\t */\n"
845                 out_java_interface += "\t" + fn_line.fn_name + "("
846                 out_interface_implementation_overrides += f"\t\t\t{fn_line.fn_name} ("
847
848                 for idx, arg_conv_info in enumerate(fn_line.args_ty):
849                     if idx >= 1:
850                         out_java_interface += ", "
851                         out_interface_implementation_overrides += ", "
852                     out_java_interface += f"{arg_conv_info.arg_name}: {arg_conv_info.java_hu_ty}"
853                     out_interface_implementation_overrides += f"{arg_conv_info.arg_name}: {arg_conv_info.java_ty}"
854                     java_method_descriptor += arg_conv_info.java_fn_ty_arg
855                 out_java_interface += f"): {fn_line.ret_ty_info.java_hu_ty};\n"
856                 java_method_descriptor += ")" + fn_line.ret_ty_info.java_fn_ty_arg
857                 java_methods.append((fn_line.fn_name, java_method_descriptor))
858
859                 out_interface_implementation_overrides += f"): {fn_line.ret_ty_info.java_ty} {{\n"
860
861                 for arg_info in fn_line.args_ty:
862                     if arg_info.to_hu_conv is not None:
863                         out_interface_implementation_overrides += "\t\t\t\t" + arg_info.to_hu_conv.replace("\n", "\n\t\t\t\t") + "\n"
864
865                 if fn_line.ret_ty_info.java_ty != "void":
866                     out_interface_implementation_overrides += "\t\t\t\tconst ret: " + fn_line.ret_ty_info.java_hu_ty + " = arg." + fn_line.fn_name + "("
867                 else:
868                     out_interface_implementation_overrides += f"\t\t\t\targ." + fn_line.fn_name + "("
869
870                 for idx, arg_info in enumerate(fn_line.args_ty):
871                     if idx != 0:
872                         out_interface_implementation_overrides += ", "
873                     if arg_info.to_hu_conv_name is not None:
874                         out_interface_implementation_overrides += arg_info.to_hu_conv_name
875                     else:
876                         out_interface_implementation_overrides += arg_info.arg_name
877
878                 out_interface_implementation_overrides += ");\n"
879                 if fn_line.ret_ty_info.java_ty != "void":
880                     if fn_line.ret_ty_info.from_hu_conv is not None:
881                         out_interface_implementation_overrides += "\t\t\t\t" + f"const result: {fn_line.ret_ty_info.java_ty} = " + fn_line.ret_ty_info.from_hu_conv[0].replace("\n", "\n\t\t\t\t") + ";\n"
882                         if fn_line.ret_ty_info.from_hu_conv[1] != "":
883                             out_interface_implementation_overrides += "\t\t\t\t" + fn_line.ret_ty_info.from_hu_conv[1].replace("this", "impl_holder.held").replace("\n", "\n\t\t\t\t") + ";\n"
884                         #if fn_line.ret_ty_info.rust_obj in result_types:
885                         # XXX: We need to handle this in conversion logic so that its cross-language!
886                         # Avoid double-free by breaking the result - we should learn to clone these and then we can be safe instead
887                         #    out_interface_implementation_overrides = out_interface_implementation_overrides + "\t\t\t\tret.ptr = 0;\n"
888                         out_interface_implementation_overrides += "\t\t\t\treturn result;\n"
889                     else:
890                         out_interface_implementation_overrides += "\t\t\t\treturn ret;\n"
891                 out_interface_implementation_overrides += f"\t\t\t}},\n"
892
893         formatted_trait_docs = trait_doc_comment.replace("\n", "\n * ")
894         out_typescript_human = f"""
895 {self.hu_struct_file_prefix}
896
897 /** An implementation of {struct_name.replace("LDK","")} */
898 export interface {struct_name.replace("LDK", "")}Interface {{
899 {out_java_interface}}}
900
901 class {struct_name}Holder {{
902         held: {struct_name.replace("LDK", "")};
903 }}
904
905 /**
906  * {formatted_trait_docs}
907  */
908 export class {struct_name.replace("LDK","")} extends CommonBase {{
909         /* @internal */
910         public bindings_instance?: bindings.{struct_name};
911
912         /* @internal */
913         constructor(_dummy: object, ptr: number) {{
914                 super(ptr, bindings.{struct_name.replace("LDK","")}_free);
915                 this.bindings_instance = null;
916         }}
917
918         /** Creates a new instance of {struct_name.replace("LDK","")} from a given implementation */
919         public static new_impl(arg: {struct_name.replace("LDK", "")}Interface{impl_constructor_arguments}): {struct_name.replace("LDK", "")} {{
920                 const impl_holder: {struct_name}Holder = new {struct_name}Holder();
921                 let structImplementation = {{
922 {out_interface_implementation_overrides}                }} as bindings.{struct_name};
923 {super_constructor_statements}          const ptr: number = bindings.{struct_name}_new(structImplementation{bindings_instantiator});
924
925                 impl_holder.held = new {struct_name.replace("LDK", "")}(null, ptr);
926                 impl_holder.held.bindings_instance = structImplementation;
927 {pointer_to_adder}              return impl_holder.held;
928         }}
929
930 """
931         self.obj_defined([struct_name.replace("LDK", ""), struct_name.replace("LDK", "") + "Interface"], "structs")
932
933         out_typescript_bindings += "/* @internal */\nexport interface " + struct_name + " {\n"
934         java_meths = []
935         for fn_line in field_function_lines:
936             if fn_line.fn_name != "free" and fn_line.fn_name != "cloned":
937                 out_typescript_bindings += f"\t{fn_line.fn_name} ("
938
939                 for idx, arg_conv_info in enumerate(fn_line.args_ty):
940                     if idx >= 1:
941                         out_typescript_bindings = out_typescript_bindings + ", "
942                     out_typescript_bindings += f"{arg_conv_info.arg_name}: {arg_conv_info.java_ty}"
943
944                 out_typescript_bindings += f"): {fn_line.ret_ty_info.java_ty};\n"
945
946         out_typescript_bindings += "}\n\n"
947
948         out_typescript_bindings += f"/* @internal */\nexport function {struct_name}_new(impl: {struct_name}"
949         for var in flattened_field_var_conversions:
950             if isinstance(var, ConvInfo):
951                 out_typescript_bindings += f", {var.arg_name}: {var.java_ty}"
952             else:
953                 out_typescript_bindings += f", {var[1]}: {var[0]}"
954
955         out_typescript_bindings += f"""): number {{
956         if(!isWasmInitialized) {{
957                 throw new Error("initializeWasm() must be awaited first!");
958         }}
959         var new_obj_idx = js_objs.length;
960         for (var i = 0; i < js_objs.length; i++) {{
961                 if (js_objs[i] == null || js_objs[i] == undefined) {{ new_obj_idx = i; break; }}
962         }}
963         js_objs[i] = new WeakRef(impl);
964         return wasm.TS_{struct_name}_new(i);
965 }}
966 """
967
968         # Now that we've written out our java code (and created java_meths), generate C
969         out_c = "typedef struct " + struct_name + "_JCalls {\n"
970         out_c += "\tatomic_size_t refcnt;\n"
971         out_c += "\tuint32_t instance_ptr;\n"
972         for var in flattened_field_var_conversions:
973             if isinstance(var, ConvInfo):
974                 # We're a regular ol' field
975                 pass
976             else:
977                 # We're a supertrait
978                 out_c = out_c + "\t" + var[0] + "_JCalls* " + var[1] + ";\n"
979         out_c = out_c + "} " + struct_name + "_JCalls;\n"
980
981         for fn_line in field_function_lines:
982             if fn_line.fn_name == "free":
983                 out_c = out_c + "static void " + struct_name + "_JCalls_free(void* this_arg) {\n"
984                 out_c = out_c + "\t" + struct_name + "_JCalls *j_calls = (" + struct_name + "_JCalls*) this_arg;\n"
985                 out_c = out_c + "\tif (atomic_fetch_sub_explicit(&j_calls->refcnt, 1, memory_order_acquire) == 1) {\n"
986                 out_c = out_c + "\t\tFREE(j_calls);\n"
987                 out_c = out_c + "\t}\n}\n"
988
989         for idx, fn_line in enumerate(field_function_lines):
990             if fn_line.fn_name != "free" and fn_line.fn_name != "cloned":
991                 assert fn_line.ret_ty_info.ty_info.get_full_rust_ty()[1] == ""
992                 out_c = out_c + fn_line.ret_ty_info.ty_info.get_full_rust_ty()[0] + " " + fn_line.fn_name + "_" + struct_name + "_jcall("
993                 if fn_line.self_is_const:
994                     out_c = out_c + "const void* this_arg"
995                 else:
996                     out_c = out_c + "void* this_arg"
997
998                 for idx, arg in enumerate(fn_line.args_ty):
999                     out_c = out_c + ", " + arg.ty_info.get_full_rust_ty()[0] + " " + arg.arg_name + arg.ty_info.get_full_rust_ty()[1]
1000
1001                 out_c = out_c + ") {\n"
1002                 out_c = out_c + "\t" + struct_name + "_JCalls *j_calls = (" + struct_name + "_JCalls*) this_arg;\n"
1003
1004                 for arg_info in fn_line.args_ty:
1005                     if arg_info.ret_conv is not None:
1006                         out_c = out_c + "\t" + arg_info.ret_conv[0].replace('\n', '\n\t')
1007                         out_c = out_c + arg_info.arg_name
1008                         out_c = out_c + arg_info.ret_conv[1].replace('\n', '\n\t') + "\n"
1009
1010                 fn_suffix = ""
1011                 if fn_line.ret_ty_info.c_ty == "uint64_t" or fn_line.ret_ty_info.c_ty == "int64_t":
1012                     fn_suffix += "b_"
1013                 else:
1014                     fn_suffix += "u_"
1015                 for arg in fn_line.args_ty:
1016                     if arg_info.c_ty == "uint64_t" or arg_info.c_ty == "int64_t":
1017                         fn_suffix += "b"
1018                     else:
1019                         fn_suffix += "u"
1020                 if fn_line.ret_ty_info.c_ty.endswith("Array"):
1021                     out_c += "\t" + fn_line.ret_ty_info.c_ty + " ret = (" + fn_line.ret_ty_info.c_ty + ")"
1022                     out_c += "js_invoke_function_" + fn_suffix + "(j_calls->instance_ptr, " + str(self.function_ptr_counter)
1023                 elif fn_line.ret_ty_info.java_ty == "void":
1024                     out_c = out_c + "\tjs_invoke_function_" + fn_suffix + "(j_calls->instance_ptr, " + str(self.function_ptr_counter)
1025                 elif fn_line.ret_ty_info.java_hu_ty == "string":
1026                     out_c += "\tjstring ret = (jstring)js_invoke_function_" + fn_suffix + "(j_calls->instance_ptr, " + str(self.function_ptr_counter)
1027                 elif not fn_line.ret_ty_info.passed_as_ptr:
1028                     out_c += "\treturn js_invoke_function_" + fn_suffix + "(j_calls->instance_ptr, " + str(self.function_ptr_counter)
1029                 else:
1030                     out_c += "\tuint32_t ret = js_invoke_function_" + fn_suffix + "(j_calls->instance_ptr, " + str(self.function_ptr_counter)
1031
1032                 self.function_ptrs[self.function_ptr_counter] = (struct_name, fn_line.fn_name)
1033                 self.function_ptr_counter += 1
1034
1035                 for idx, arg_info in enumerate(fn_line.args_ty):
1036                     if arg_info.ret_conv is not None:
1037                         out_c = out_c + ", (uint32_t)" + arg_info.ret_conv_name
1038                     else:
1039                         out_c = out_c + ", (uint32_t)" + arg_info.arg_name
1040                 out_c = out_c + ");\n"
1041                 if fn_line.ret_ty_info.arg_conv is not None:
1042                     out_c = out_c + "\t" + fn_line.ret_ty_info.arg_conv.replace("\n", "\n\t") + "\n\treturn " + fn_line.ret_ty_info.arg_conv_name + ";\n"
1043
1044                 out_c = out_c + "}\n"
1045
1046         # Write out a clone function whether we need one or not, as we use them in moving to rust
1047         out_c = out_c + "static void " + struct_name + "_JCalls_cloned(" + struct_name + "* new_obj) {\n"
1048         out_c = out_c + "\t" + struct_name + "_JCalls *j_calls = (" + struct_name + "_JCalls*) new_obj->this_arg;\n"
1049         out_c = out_c + "\tatomic_fetch_add_explicit(&j_calls->refcnt, 1, memory_order_release);\n"
1050         for var in field_var_conversions:
1051             if not isinstance(var, ConvInfo):
1052                 out_c = out_c + "\tatomic_fetch_add_explicit(&j_calls->" + var[1] + "->refcnt, 1, memory_order_release);\n"
1053         out_c = out_c + "}\n"
1054
1055         out_c = out_c + "static inline " + struct_name + " " + struct_name + "_init (JSValue o"
1056         for var in flattened_field_var_conversions:
1057             if isinstance(var, ConvInfo):
1058                 out_c = out_c + ", " + var.c_ty + " " + var.arg_name
1059             else:
1060                 out_c = out_c + ", JSValue " + var[1]
1061         out_c = out_c + ") {\n"
1062
1063         out_c = out_c + "\t" + struct_name + "_JCalls *calls = MALLOC(sizeof(" + struct_name + "_JCalls), \"" + struct_name + "_JCalls\");\n"
1064         out_c = out_c + "\tatomic_init(&calls->refcnt, 1);\n"
1065         out_c = out_c + "\tcalls->instance_ptr = o;\n"
1066
1067         for (fn_name, java_meth_descr) in java_meths:
1068             if fn_name != "free" and fn_name != "cloned":
1069                 out_c = out_c + "\tcalls->" + fn_name + "_meth = (*env)->GetMethodID(env, c, \"" + fn_name + "\", \"" + java_meth_descr + "\");\n"
1070                 out_c = out_c + "\tCHECK(calls->" + fn_name + "_meth != NULL);\n"
1071
1072         for var in flattened_field_var_conversions:
1073             if isinstance(var, ConvInfo) and var.arg_conv is not None:
1074                 out_c = out_c + "\n\t" + var.arg_conv.replace("\n", "\n\t") +"\n"
1075         out_c = out_c + "\n\t" + struct_name + " ret = {\n"
1076         out_c = out_c + "\t\t.this_arg = (void*) calls,\n"
1077         for fn_line in field_function_lines:
1078             if fn_line.fn_name != "free" and fn_line.fn_name != "cloned":
1079                 out_c = out_c + "\t\t." + fn_line.fn_name + " = " + fn_line.fn_name + "_" + struct_name + "_jcall,\n"
1080             elif fn_line.fn_name == "free":
1081                 out_c = out_c + "\t\t.free = " + struct_name + "_JCalls_free,\n"
1082             else:
1083                 out_c = out_c + "\t\t.cloned = " + struct_name + "_JCalls_cloned,\n"
1084         for var in field_var_conversions:
1085             if isinstance(var, ConvInfo):
1086                 if var.arg_conv_name is not None:
1087                     out_c = out_c + "\t\t." + var.arg_name + " = " + var.arg_conv_name + ",\n"
1088                     out_c = out_c + "\t\t.set_" + var.arg_name + " = NULL,\n"
1089                 else:
1090                     out_c = out_c + "\t\t." + var.var_name + " = " + var.var_name + ",\n"
1091                     out_c = out_c + "\t\t.set_" + var.var_name + " = NULL,\n"
1092             else:
1093                 out_c += "\t\t." + var[1] + " = " + var[0] + "_init(" + var[1]
1094                 for suparg in var[2]:
1095                     if isinstance(suparg, ConvInfo):
1096                         out_c += ", " + suparg.arg_name
1097                     else:
1098                         out_c += ", " + suparg[1]
1099                 out_c += "),\n"
1100         out_c = out_c + "\t};\n"
1101         for var in flattened_field_var_conversions:
1102             if not isinstance(var, ConvInfo):
1103                 out_c = out_c + "\tcalls->" + var[1] + " = ret." + var[1] + ".this_arg;\n"
1104         out_c = out_c + "\treturn ret;\n"
1105         out_c = out_c + "}\n"
1106
1107         out_c = out_c + self.c_fn_ty_pfx + "long " + self.c_fn_name_define_pfx(struct_name + "_new", True) + "JSValue o"
1108         for var in flattened_field_var_conversions:
1109             if isinstance(var, ConvInfo):
1110                 out_c = out_c + ", " + var.c_ty + " " + var.arg_name
1111             else:
1112                 out_c = out_c + ", JSValue " + var[1]
1113         out_c = out_c + ") {\n"
1114         out_c = out_c + "\t" + struct_name + " *res_ptr = MALLOC(sizeof(" + struct_name + "), \"" + struct_name + "\");\n"
1115         out_c = out_c + "\t*res_ptr = " + struct_name + "_init(o"
1116         for var in flattened_field_var_conversions:
1117             if isinstance(var, ConvInfo):
1118                 out_c = out_c + ", " + var.arg_name
1119             else:
1120                 out_c = out_c + ", " + var[1]
1121         out_c = out_c + ");\n"
1122         out_c = out_c + "\treturn (long)res_ptr;\n"
1123         out_c = out_c + "}\n"
1124
1125         return (out_typescript_bindings, out_typescript_human, out_c)
1126
1127     def trait_struct_inc_refcnt(self, ty_info):
1128         base_conv = "\nif (" + ty_info.var_name + "_conv.free == " + ty_info.rust_obj + "_JCalls_free) {\n"
1129         base_conv = base_conv + "\t// If this_arg is a JCalls struct, then we need to increment the refcnt in it.\n"
1130         base_conv = base_conv + "\t" + ty_info.rust_obj + "_JCalls_cloned(&" + ty_info.var_name + "_conv);\n}"
1131         return base_conv
1132
1133     def map_complex_enum(self, struct_name, variant_list, camel_to_snake, enum_doc_comment):
1134         bindings_type = struct_name.replace("LDK", "")
1135         java_hu_type = struct_name.replace("LDK", "").replace("COption", "Option")
1136
1137         out_java_enum = ""
1138         out_java = ""
1139         out_c = ""
1140
1141         out_java_enum += (self.hu_struct_file_prefix)
1142
1143         java_hu_class = "/**\n * " + enum_doc_comment.replace("\n", "\n * ") + "\n */\n"
1144         java_hu_class += "export class " + java_hu_type + " extends CommonBase {\n"
1145         java_hu_class += "\tprotected constructor(_dummy: object, ptr: number) { super(ptr, bindings." + bindings_type + "_free); }\n"
1146         java_hu_class += "\t/* @internal */\n"
1147         java_hu_class += f"\tpublic static constr_from_ptr(ptr: number): {java_hu_type} {{\n"
1148         java_hu_class += f"\t\tconst raw_ty: number = bindings." + struct_name + "_ty_from_ptr(ptr);\n"
1149         out_c += self.c_fn_ty_pfx + "uint32_t" + self.c_fn_name_define_pfx(struct_name + "_ty_from_ptr", True) + self.ptr_c_ty + " ptr) {\n"
1150         out_c += "\t" + struct_name + " *obj = (" + struct_name + "*)(ptr & ~1);\n"
1151         out_c += "\tswitch(obj->tag) {\n"
1152         java_hu_class += "\t\tswitch (raw_ty) {\n"
1153         java_hu_subclasses = ""
1154
1155         out_java += "/* @internal */\nexport class " + struct_name + " {\n"
1156         out_java += "\tprotected constructor() {}\n"
1157         var_idx = 0
1158         for var in variant_list:
1159             java_hu_subclasses += "/** A " + java_hu_type + " of type " + var.var_name + " */\n"
1160             java_hu_subclasses += "export class " + java_hu_type + "_" + var.var_name + " extends " + java_hu_type + " {\n"
1161             java_hu_class += f"\t\t\tcase {var_idx}: "
1162             java_hu_class += "return new " + java_hu_type + "_" + var.var_name + "(ptr);\n"
1163             out_c += f"\t\tcase {struct_name}_{var.var_name}: return {var_idx};\n"
1164             hu_conv_body = ""
1165             for idx, (field_ty, field_docs) in enumerate(var.fields):
1166                 if field_docs is not None:
1167                     java_hu_subclasses += "\t/**\n\t * " + field_docs.replace("\n", "\n\t * ") + "\n\t */\n"
1168                 java_hu_subclasses += "\tpublic " + field_ty.arg_name + f": {field_ty.java_hu_ty};\n"
1169                 if field_ty.to_hu_conv is not None:
1170                     hu_conv_body += f"\t\tconst {field_ty.arg_name}: {field_ty.java_ty} = bindings.{struct_name}_{var.var_name}_get_{field_ty.arg_name}(ptr);\n"
1171                     hu_conv_body += f"\t\t" + field_ty.to_hu_conv.replace("\n", "\n\t\t\t") + "\n"
1172                     hu_conv_body += f"\t\tthis." + field_ty.arg_name + " = " + field_ty.to_hu_conv_name + ";\n"
1173                 else:
1174                     hu_conv_body += f"\t\tthis.{field_ty.arg_name} = bindings.{struct_name}_{var.var_name}_get_{field_ty.arg_name}(ptr);\n"
1175             java_hu_subclasses += "\t/* @internal */\n"
1176             java_hu_subclasses += "\tpublic constructor(ptr: number) {\n\t\tsuper(null, ptr);\n"
1177             java_hu_subclasses = java_hu_subclasses + hu_conv_body
1178             java_hu_subclasses = java_hu_subclasses + "\t}\n}\n"
1179             var_idx += 1
1180         out_java += "}\n"
1181         java_hu_class += "\t\t\tdefault:\n\t\t\t\tthrow new Error('oops, this should be unreachable'); // Unreachable without extending the (internal) bindings interface\n\t\t}\n\t}\n\n"
1182         out_java += self.fn_call_body(struct_name + "_ty_from_ptr", "uint32_t", "number", "ptr: number", "ptr")
1183         out_c += ("\t\tdefault: abort();\n")
1184         out_c += ("\t}\n}\n")
1185
1186         for var in variant_list:
1187             for idx, (field_map, _) in enumerate(var.fields):
1188                 fn_name = f"{struct_name}_{var.var_name}_get_{field_map.arg_name}"
1189                 out_c += self.c_fn_ty_pfx + field_map.c_ty + self.c_fn_name_define_pfx(fn_name, True) + self.ptr_c_ty + " ptr) {\n"
1190                 out_c += "\t" + struct_name + " *obj = (" + struct_name + "*)(ptr & ~1);\n"
1191                 out_c += f"\tassert(obj->tag == {struct_name}_{var.var_name});\n"
1192                 if field_map.ret_conv is not None:
1193                     out_c += ("\t\t\t" + field_map.ret_conv[0].replace("\n", "\n\t\t\t"))
1194                     if var.tuple_variant:
1195                         out_c += "obj->" + camel_to_snake(var.var_name)
1196                     else:
1197                         out_c += "obj->" + camel_to_snake(var.var_name) + "." + field_map.arg_name
1198                     out_c += (field_map.ret_conv[1].replace("\n", "\n\t\t\t") + "\n")
1199                     out_c += "\treturn " + field_map.ret_conv_name + ";\n"
1200                 else:
1201                     if var.tuple_variant:
1202                         out_c += "\treturn " + "obj->" + camel_to_snake(var.var_name) + ";\n"
1203                     else:
1204                         out_c += "\treturn " + "obj->" + camel_to_snake(var.var_name) + "." + field_map.arg_name + ";\n"
1205                 out_c += "}\n"
1206                 out_java += self.fn_call_body(fn_name, field_map.c_ty, field_map.java_ty, "ptr: number", "ptr")
1207         out_java_enum += java_hu_class
1208         self.struct_file_suffixes[java_hu_type] = java_hu_subclasses
1209         self.obj_defined([java_hu_type], "structs")
1210         return (out_java, out_java_enum, out_c)
1211
1212     def map_opaque_struct(self, struct_name, struct_doc_comment):
1213         implementations = ""
1214         method_header = ""
1215
1216         hu_name = struct_name.replace("LDKC2Tuple", "TwoTuple").replace("LDKC3Tuple", "ThreeTuple").replace("LDK", "")
1217         out_opaque_struct_human = f"{self.hu_struct_file_prefix}"
1218         if struct_name.startswith("LDKLocked") or struct_name.startswith("LDKReadOnly"):
1219             out_opaque_struct_human += "/** XXX: DO NOT USE THIS - it remains locked until the GC runs (if that ever happens */"
1220         formatted_doc_comment = struct_doc_comment.replace("\n", "\n * ")
1221         out_opaque_struct_human += f"""
1222 /**
1223  * {formatted_doc_comment}
1224  */
1225 export class {hu_name} extends CommonBase {implementations}{{
1226         /* @internal */
1227         public constructor(_dummy: object, ptr: number) {{
1228                 super(ptr, bindings.{struct_name.replace("LDK","")}_free);
1229         }}
1230
1231 """
1232         self.obj_defined([hu_name], "structs")
1233         return out_opaque_struct_human
1234
1235     def map_tuple(self, struct_name):
1236         return self.map_opaque_struct(struct_name, "A Tuple")
1237
1238     def map_result(self, struct_name, res_map, err_map):
1239         human_ty = struct_name.replace("LDKCResult", "Result")
1240
1241         suffixes = f"export class {human_ty}_OK extends {human_ty} {{\n"
1242         if res_map.java_hu_ty != "void":
1243             suffixes += "\tpublic res: " + res_map.java_hu_ty + ";\n"
1244         suffixes += f"""
1245         /* @internal */
1246         public constructor(_dummy: object, ptr: number) {{
1247                 super(_dummy, ptr);
1248 """
1249         if res_map.java_hu_ty == "void":
1250             pass
1251         elif res_map.to_hu_conv is not None:
1252             suffixes += "\t\tconst res: " + res_map.java_ty + " = bindings." + struct_name.replace("LDK", "") + "_get_ok(ptr);\n"
1253             suffixes += "\t\t" + res_map.to_hu_conv.replace("\n", "\n\t\t")
1254             suffixes += "\n\t\tthis.res = " + res_map.to_hu_conv_name + ";\n"
1255         else:
1256             suffixes += "\t\tthis.res = bindings." + struct_name.replace("LDK", "") + "_get_ok(ptr);\n"
1257         suffixes += "\t}\n}\n"
1258
1259         suffixes += f"export class {human_ty}_Err extends {human_ty} {{\n"
1260         if err_map.java_hu_ty != "void":
1261             suffixes += "\tpublic err: " + err_map.java_hu_ty + ";\n"
1262         suffixes += f"""
1263         /* @internal */
1264         public constructor(_dummy: object, ptr: number) {{
1265                 super(_dummy, ptr);
1266 """
1267         if err_map.java_hu_ty == "void":
1268             pass
1269         elif err_map.to_hu_conv is not None:
1270             suffixes += "\t\tconst err: " + err_map.java_ty + " = bindings." + struct_name.replace("LDK", "") + "_get_err(ptr);\n"
1271             suffixes += "\t\t" + err_map.to_hu_conv.replace("\n", "\n\t\t")
1272             suffixes += "\n\t\tthis.err = " + err_map.to_hu_conv_name + ";\n"
1273         else:
1274             suffixes += "\t\tthis.err = bindings." + struct_name.replace("LDK", "") + "_get_err(ptr);\n"
1275         suffixes += "\t}\n}"
1276
1277         self.struct_file_suffixes[human_ty] = suffixes
1278         self.obj_defined([human_ty], "structs")
1279
1280         return f"""{self.hu_struct_file_prefix}
1281
1282 export class {human_ty} extends CommonBase {{
1283         protected constructor(_dummy: object, ptr: number) {{
1284                 super(ptr, bindings.{struct_name.replace("LDK","")}_free);
1285         }}
1286         /* @internal */
1287         public static constr_from_ptr(ptr: number): {human_ty} {{
1288                 if (bindings.{struct_name.replace("LDK", "")}_is_ok(ptr)) {{
1289                         return new {human_ty}_OK(null, ptr);
1290                 }} else {{
1291                         return new {human_ty}_Err(null, ptr);
1292                 }}
1293         }}
1294 """
1295
1296     def fn_call_body(self, method_name, return_c_ty, return_java_ty, method_argument_string, native_call_argument_string):
1297         has_return_value = return_c_ty != 'void'
1298         return_statement = 'return nativeResponseValue;'
1299         if not has_return_value:
1300             return_statement = '// debug statements here'
1301
1302         return f"""/* @internal */
1303 export function {method_name}({method_argument_string}): {return_java_ty} {{
1304         if(!isWasmInitialized) {{
1305                 throw new Error("initializeWasm() must be awaited first!");
1306         }}
1307         const nativeResponseValue = wasm.TS_{method_name}({native_call_argument_string});
1308         {return_statement}
1309 }}
1310 """
1311     def map_function(self, argument_types, c_call_string, method_name, meth_n, return_type_info, struct_meth, default_constructor_args, takes_self, takes_self_as_ref, args_known, type_mapping_generator, doc_comment):
1312         out_java = ""
1313         out_c = ""
1314         out_java_struct = None
1315
1316         out_java += ("\t")
1317         out_c += (self.c_fn_ty_pfx)
1318         out_c += (return_type_info.c_ty)
1319         out_java += (return_type_info.java_ty)
1320         if return_type_info.ret_conv is not None:
1321             ret_conv_pfx, ret_conv_sfx = return_type_info.ret_conv
1322         out_java += (" " + method_name + "(")
1323         out_c += (" "  + self.c_fn_name_define_pfx(method_name, True))
1324
1325         method_argument_string = ""
1326         native_call_argument_string = ""
1327         for idx, arg_conv_info in enumerate(argument_types):
1328             if idx != 0:
1329                 method_argument_string += (", ")
1330                 native_call_argument_string += ', '
1331                 out_c += (", ")
1332             if arg_conv_info.c_ty != "void":
1333                 out_c += (arg_conv_info.c_ty + " " + arg_conv_info.arg_name)
1334                 method_argument_string += f"{arg_conv_info.arg_name}: {arg_conv_info.java_ty}"
1335                 native_call_argument_string += arg_conv_info.arg_name
1336         out_java = self.fn_call_body(method_name, return_type_info.c_ty, return_type_info.java_ty, method_argument_string, native_call_argument_string)
1337
1338         out_java_struct = ""
1339         if doc_comment is not None:
1340             out_java_struct = "\t/**\n\t * " + doc_comment.replace("\n", "\n\t * ") + "\n\t */\n"
1341
1342         if not args_known:
1343             out_java_struct += ("\t// Skipped " + method_name + "\n")
1344         else:
1345             if not takes_self:
1346                 out_java_struct += (
1347                         "\tpublic static constructor_" + meth_n + "(")
1348             else:
1349                 out_java_struct += ("\tpublic " + meth_n + "(")
1350             for idx, arg in enumerate(argument_types):
1351                 if idx != 0:
1352                     if not takes_self or idx > 1:
1353                         out_java_struct += (", ")
1354                 elif takes_self:
1355                     continue
1356                 if arg.java_ty != "void":
1357                     if arg.arg_name in default_constructor_args:
1358                         for explode_idx, explode_arg in enumerate(default_constructor_args[arg.arg_name]):
1359                             if explode_idx != 0:
1360                                 out_java_struct += (", ")
1361                             out_java_struct += arg.arg_name + "_" + explode_arg.arg_name + ": " + explode_arg.java_hu_ty
1362                     else:
1363                         out_java_struct += arg.arg_name + ": " + arg.java_hu_ty
1364
1365         out_c += (") {\n")
1366         if out_java_struct is not None:
1367             out_java_struct += "): " + return_type_info.java_hu_ty + " {\n"
1368         for info in argument_types:
1369             if info.arg_conv is not None:
1370                 out_c += ("\t" + info.arg_conv.replace('\n', "\n\t") + "\n")
1371         if return_type_info.ret_conv is not None:
1372             out_c += ("\t" + ret_conv_pfx.replace('\n', '\n\t'))
1373         elif return_type_info.c_ty != "void":
1374             out_c += ("\t" + return_type_info.c_ty + " ret_val = ")
1375         else:
1376             out_c += ("\t")
1377         if c_call_string is None:
1378             out_c += (method_name + "(")
1379         else:
1380             out_c += (c_call_string)
1381         for idx, info in enumerate(argument_types):
1382             if info.arg_conv_name is not None:
1383                 if idx != 0:
1384                     out_c += (", ")
1385                 elif c_call_string is not None:
1386                     continue
1387                 out_c += (info.arg_conv_name)
1388         out_c += (")")
1389         if return_type_info.ret_conv is not None:
1390             out_c += (ret_conv_sfx.replace('\n', '\n\t'))
1391         else:
1392             out_c += (";")
1393         for info in argument_types:
1394             if info.arg_conv_cleanup is not None:
1395                 out_c += ("\n\t" + info.arg_conv_cleanup.replace("\n", "\n\t"))
1396         if return_type_info.ret_conv is not None:
1397             out_c += ("\n\treturn " + return_type_info.ret_conv_name + ";")
1398         elif return_type_info.c_ty != "void":
1399             out_c += ("\n\treturn ret_val;")
1400         out_c += ("\n}\n\n")
1401
1402         if args_known:
1403             out_java_struct += ("\t\t")
1404             if return_type_info.java_ty != "void":
1405                 out_java_struct += "const ret: " + return_type_info.java_ty + " = "
1406             out_java_struct += ("bindings." + method_name + "(")
1407             for idx, info in enumerate(argument_types):
1408                 if idx != 0:
1409                     out_java_struct += (", ")
1410                 if idx == 0 and takes_self:
1411                     out_java_struct += ("this.ptr")
1412                 elif info.arg_name in default_constructor_args:
1413                     out_java_struct += ("bindings." + info.java_hu_ty + "_new(")
1414                     for explode_idx, explode_arg in enumerate(default_constructor_args[info.arg_name]):
1415                         if explode_idx != 0:
1416                             out_java_struct += (", ")
1417                         expl_arg_name = info.arg_name + "_" + explode_arg.arg_name
1418                         if explode_arg.from_hu_conv is not None:
1419                             out_java_struct += (
1420                                 explode_arg.from_hu_conv[0].replace(explode_arg.arg_name, expl_arg_name))
1421                         else:
1422                             out_java_struct += (expl_arg_name)
1423                     out_java_struct += (")")
1424                 elif info.from_hu_conv is not None:
1425                     out_java_struct += (info.from_hu_conv[0])
1426                 else:
1427                     out_java_struct += (info.arg_name)
1428             out_java_struct += (");\n")
1429             if return_type_info.to_hu_conv is not None:
1430                 if not takes_self:
1431                     out_java_struct += ("\t\t" + return_type_info.to_hu_conv.replace("\n", "\n\t\t").replace("this",
1432                                                                                                              return_type_info.to_hu_conv_name) + "\n")
1433                 else:
1434                     out_java_struct += ("\t\t" + return_type_info.to_hu_conv.replace("\n", "\n\t\t") + "\n")
1435
1436             for idx, info in enumerate(argument_types):
1437                 if idx == 0 and takes_self:
1438                     pass
1439                 elif info.arg_name in default_constructor_args:
1440                     for explode_arg in default_constructor_args[info.arg_name]:
1441                         expl_arg_name = info.arg_name + "_" + explode_arg.arg_name
1442                         if explode_arg.from_hu_conv is not None and return_type_info.to_hu_conv_name:
1443                             out_java_struct += ("\t\t" + explode_arg.from_hu_conv[1].replace(explode_arg.arg_name,
1444                                                                                              expl_arg_name).replace(
1445                                 "this", return_type_info.to_hu_conv_name) + ";\n")
1446                 elif info.from_hu_conv is not None and info.from_hu_conv[1] != "":
1447                     if not takes_self and return_type_info.to_hu_conv_name is not None:
1448                         out_java_struct += (
1449                                 "\t\t" + info.from_hu_conv[1].replace("this", return_type_info.to_hu_conv_name).replace("\n", "\n\t\t") + ";\n")
1450                     else:
1451                         out_java_struct += ("\t\t" + info.from_hu_conv[1].replace("\n", "\n\t\t") + ";\n")
1452
1453             if return_type_info.to_hu_conv_name is not None:
1454                 out_java_struct += ("\t\treturn " + return_type_info.to_hu_conv_name + ";\n")
1455             elif return_type_info.java_ty != "void" and return_type_info.rust_obj != "LDK" + struct_meth:
1456                 out_java_struct += ("\t\treturn ret;\n")
1457             out_java_struct += ("\t}\n\n")
1458
1459         return (out_java, out_c, out_java_struct)
1460
1461     def cleanup(self):
1462         for struct in self.struct_file_suffixes:
1463             with open(self.outdir + "/structs/" + struct + self.file_ext, "a") as src:
1464                 src.write(self.struct_file_suffixes[struct])
1465
1466         with open(self.outdir + "/bindings.mts", "a") as bindings:
1467             bindings.write("""
1468
1469 js_invoke = function(obj_ptr: number, fn_id: number, arg1: bigint|number, arg2: bigint|number, arg3: bigint|number, arg4: bigint|number, arg5: bigint|number, arg6: bigint|number, arg7: bigint|number, arg8: bigint|number, arg9: bigint|number, arg10: bigint|number) {
1470         const weak: WeakRef<object> = js_objs[obj_ptr];
1471         if (weak == null || weak == undefined) {
1472                 console.error("Got function call on unknown/free'd JS object!");
1473                 throw new Error("Got function call on unknown/free'd JS object!");
1474         }
1475         const obj: object = weak.deref();
1476         if (obj == null || obj == undefined) {
1477                 console.error("Got function call on GC'd JS object!");
1478                 throw new Error("Got function call on GC'd JS object!");
1479         }
1480         var fn;
1481 """)
1482             bindings.write("\tswitch (fn_id) {\n")
1483             for f in self.function_ptrs:
1484                 bindings.write(f"\t\tcase {str(f)}: fn = Object.getOwnPropertyDescriptor(obj, \"{self.function_ptrs[f][1]}\"); break;\n")
1485
1486             bindings.write("""\t\tdefault:
1487                         console.error("Got unknown function call from C!");
1488                         throw new Error("Got unknown function call from C!");
1489         }
1490         if (fn == null || fn == undefined) {
1491                 console.error("Got function call on incorrect JS object!");
1492                 throw new Error("Got function call on incorrect JS object!");
1493         }
1494         const ret = fn.value.bind(obj)(arg1, arg2, arg3, arg4, arg5, arg6, arg7, arg8, arg9, arg10);
1495         if (ret === undefined || ret === null) return BigInt(0);
1496         return BigInt(ret);
1497 }""")