[TS] Make compiler checks a bit more aggressive, fix indentation
[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', 'Uint8Array'],
21             uint16_t = ['number', 'Uint16Array'],
22             uint32_t = ['number', 'Uint32Array'],
23             uint64_t = ['number'],
24         )
25
26         self.wasm_decoding_map = dict(
27             int8_tArray = 'decodeUint8Array'
28         )
29
30         self.wasm_encoding_map = dict(
31             int8_tArray = 'encodeUint8Array',
32         )
33
34         self.to_hu_conv_templates = dict(
35             ptr = 'const {var_name}_hu_conv: {human_type} = new {human_type}(null, {var_name});',
36             default = 'const {var_name}_hu_conv: {human_type} = new {human_type}(null, {var_name});',
37         )
38
39         self.bindings_header = self.wasm_import_header(target) + """
40 export class VecOrSliceDef {
41     public dataptr: number;
42     public datalen: number;
43     public stride: number;
44     public constructor(dataptr: number, datalen: number, stride: number) {
45         this.dataptr = dataptr;
46         this.datalen = datalen;
47         this.stride = stride;
48     }
49 }
50
51 /*
52 TODO: load WASM file
53 static {
54     System.loadLibrary(\"lightningjni\");
55     init(java.lang.Enum.class, VecOrSliceDef.class);
56     init_class_cache();
57 }
58
59 static native void init(java.lang.Class c, java.lang.Class slicedef);
60 static native void init_class_cache();
61
62 public static native boolean deref_bool(long ptr);
63 public static native long deref_long(long ptr);
64 public static native void free_heap_ptr(long ptr);
65 public static native byte[] read_bytes(long ptr, long len);
66 public static native byte[] get_u8_slice_bytes(long slice_ptr);
67 public static native long bytes_to_u8_vec(byte[] bytes);
68 public static native long new_txpointer_copy_data(byte[] txdata);
69 public static native void txpointer_free(long ptr);
70 public static native byte[] txpointer_get_buffer(long ptr);
71 public static native long vec_slice_len(long vec);
72 public static native long new_empty_slice_vec();
73 */
74
75 """
76
77         self.bindings_version_file = ""
78
79         self.bindings_footer = ""
80
81         self.common_base = """
82 function freer(f: () => void) { f() }
83 const finalizer = new FinalizationRegistry(freer);
84 function get_freeer(ptr: number, free_fn: (ptr: number) => void) {
85         return () => {
86                 free_fn(ptr);
87         }
88 }
89
90 export default class CommonBase {
91         protected ptr: number;
92         protected ptrs_to: object[] = [];
93         protected constructor(ptr: number, free_fn: (ptr: number) => void) {
94                 this.ptr = ptr;
95                 if (Number.isFinite(ptr) && ptr != 0){
96                         finalizer.register(this, get_freeer(ptr, free_fn));
97                 }
98         }
99         // In Java, protected means "any subclass can access fields on any other subclass'"
100         // In TypeScript, protected means "any subclass can access parent fields on instances of itself"
101         // To work around this, we add accessors for other instances' protected fields here.
102         protected static add_ref_from(holder: CommonBase, referent: object) {
103                 holder.ptrs_to.push(referent);
104         }
105         protected static get_ptr_of(o: CommonBase) {
106                 return o.ptr;
107         }
108         protected static set_null_skip_free(o: CommonBase) {
109                 o.ptr = 0;
110                 finalizer.unregister(o);
111         }
112 }
113 """
114
115         self.txout_defn = """export class TxOut extends CommonBase {
116         /** The script_pubkey in this output */
117         public script_pubkey: Uint8Array;
118         /** The value, in satoshis, of this output */
119         public value: number;
120
121         /* @internal */
122         public constructor(_dummy: object, ptr: number) {
123                 super(ptr, bindings.TxOut_free);
124                 this.script_pubkey = bindings.TxOut_get_script_pubkey(ptr);
125                 this.value = bindings.TxOut_get_value(ptr);
126         }
127         public constructor_new(value: number, script_pubkey: Uint8Array): TxOut {
128                 return new TxOut(null, bindings.TxOut_new(script_pubkey, value));
129         }
130 }"""
131         self.obj_defined(["TxOut"], "structs")
132
133         self.c_file_pfx = """#include "js-wasm.h"
134 #include <stdatomic.h>
135 #include <lightning.h>
136
137 // These should be provided...somehow...
138 void *memset(void *s, int c, size_t n);
139 void *memcpy(void *dest, const void *src, size_t n);
140 int memcmp(const void *s1, const void *s2, size_t n);
141
142 void __attribute__((noreturn)) abort(void);
143 static inline void assert(bool expression) {
144         if (!expression) { abort(); }
145 }
146 """
147
148         if not DEBUG:
149             self.c_file_pfx = self.c_file_pfx + """
150 void *malloc(size_t size);
151 void free(void *ptr);
152
153 #define MALLOC(a, _) malloc(a)
154 #define FREE(p) if ((unsigned long)(p) > 4096) { free(p); }
155 #define DO_ASSERT(a) (void)(a)
156 #define CHECK(a)
157 #define CHECK_ACCESS(p)
158 #define CHECK_INNER_FIELD_ACCESS_OR_NULL(v)
159 """
160         else:
161             self.c_file_pfx = self.c_file_pfx + """
162 // Always run a, then assert it is true:
163 #define DO_ASSERT(a) do { bool _assert_val = (a); assert(_assert_val); } while(0)
164 // Assert a is true or do nothing
165 #define CHECK(a) DO_ASSERT(a)
166
167 // Running a leak check across all the allocations and frees of the JDK is a mess,
168 // so instead we implement our own naive leak checker here, relying on the -wrap
169 // linker option to wrap malloc/calloc/realloc/free, tracking everyhing allocated
170 // and free'd in Rust or C across the generated bindings shared library.
171
172 #define BT_MAX 128
173 typedef struct allocation {
174         struct allocation* next;
175         void* ptr;
176         const char* struct_name;
177 } allocation;
178 static allocation* allocation_ll = NULL;
179
180 void* __real_malloc(size_t len);
181 void* __real_calloc(size_t nmemb, size_t len);
182 static void new_allocation(void* res, const char* struct_name) {
183         allocation* new_alloc = __real_malloc(sizeof(allocation));
184         new_alloc->ptr = res;
185         new_alloc->struct_name = struct_name;
186         new_alloc->next = allocation_ll;
187         allocation_ll = new_alloc;
188 }
189 static void* MALLOC(size_t len, const char* struct_name) {
190         void* res = __real_malloc(len);
191         new_allocation(res, struct_name);
192         return res;
193 }
194 void __real_free(void* ptr);
195 static void alloc_freed(void* ptr) {
196         allocation* p = NULL;
197         allocation* it = allocation_ll;
198         while (it->ptr != ptr) {
199                 p = it; it = it->next;
200                 if (it == NULL) {
201                         //XXX: fprintf(stderr, "Tried to free unknown pointer %p\\n", ptr);
202                         return; // addrsan should catch malloc-unknown and print more info than we have
203                 }
204         }
205         if (p) { p->next = it->next; } else { allocation_ll = it->next; }
206         DO_ASSERT(it->ptr == ptr);
207         __real_free(it);
208 }
209 static void FREE(void* ptr) {
210         if ((unsigned long)ptr <= 4096) return; // Rust loves to create pointers to the NULL page for dummys
211         alloc_freed(ptr);
212         __real_free(ptr);
213 }
214
215 static void CHECK_ACCESS(const void* ptr) {
216         allocation* it = allocation_ll;
217         while (it->ptr != ptr) {
218                 it = it->next;
219                 if (it == NULL) {
220                         return; // addrsan should catch malloc-unknown and print more info than we have
221                 }
222         }
223 }
224 #define CHECK_INNER_FIELD_ACCESS_OR_NULL(v) \\
225         if (v.is_owned && v.inner != NULL) { \\
226                 const void *p = __unmangle_inner_ptr(v.inner); \\
227                 if (p != NULL) { \\
228                         CHECK_ACCESS(p); \\
229                 } \\
230         }
231
232 void* __wrap_malloc(size_t len) {
233         void* res = __real_malloc(len);
234         new_allocation(res, "malloc call");
235         return res;
236 }
237 void* __wrap_calloc(size_t nmemb, size_t len) {
238         void* res = __real_calloc(nmemb, len);
239         new_allocation(res, "calloc call");
240         return res;
241 }
242 void __wrap_free(void* ptr) {
243         if (ptr == NULL) return;
244         alloc_freed(ptr);
245         __real_free(ptr);
246 }
247
248 void* __real_realloc(void* ptr, size_t newlen);
249 void* __wrap_realloc(void* ptr, size_t len) {
250         if (ptr != NULL) alloc_freed(ptr);
251         void* res = __real_realloc(ptr, len);
252         new_allocation(res, "realloc call");
253         return res;
254 }
255 void __wrap_reallocarray(void* ptr, size_t new_sz) {
256         // Rust doesn't seem to use reallocarray currently
257         DO_ASSERT(false);
258 }
259
260 void __attribute__((destructor)) check_leaks() {
261         for (allocation* a = allocation_ll; a != NULL; a = a->next) {
262                 //XXX: fprintf(stderr, "%s %p remains\\n", a->struct_name, a->ptr);
263         }
264         DO_ASSERT(allocation_ll == NULL);
265 }
266 """
267         self.c_file_pfx = self.c_file_pfx + """
268 // We assume that CVec_u8Z and u8slice are the same size and layout (and thus pointers to the two can be mixed)
269 _Static_assert(sizeof(LDKCVec_u8Z) == sizeof(LDKu8slice), "Vec<u8> and [u8] need to have been mapped identically");
270 _Static_assert(offsetof(LDKCVec_u8Z, data) == offsetof(LDKu8slice, data), "Vec<u8> and [u8] need to have been mapped identically");
271 _Static_assert(offsetof(LDKCVec_u8Z, datalen) == offsetof(LDKu8slice, datalen), "Vec<u8> and [u8] need to have been mapped identically");
272
273 _Static_assert(sizeof(void*) == 4, "Pointers mut be 32 bits");
274
275 #define DECL_ARR_TYPE(ty, name) \\
276         struct name##array { \\
277                 uint32_t arr_len; \\
278                 ty elems[]; \\
279         }; \\
280         typedef struct name##array * name##Array; \\
281         static inline name##Array init_##name##Array(size_t arr_len) { \\
282                 name##Array arr = (name##Array)MALLOC(arr_len * sizeof(ty) + sizeof(uint32_t), "##name array init"); \\
283                 arr->arr_len = arr_len; \\
284                 return arr; \\
285         }
286
287 DECL_ARR_TYPE(int64_t, int64_t);
288 DECL_ARR_TYPE(int8_t, int8_t);
289 DECL_ARR_TYPE(uint32_t, uint32_t);
290 DECL_ARR_TYPE(void*, ptr);
291 DECL_ARR_TYPE(char, char);
292 typedef charArray jstring;
293
294 static inline jstring str_ref_to_ts(const char* chars, size_t len) {
295         charArray arr = init_charArray(len);
296         memcpy(arr->elems, chars, len);
297         return arr;
298 }
299 static inline LDKStr str_ref_to_owned_c(const jstring str) {
300         char* newchars = MALLOC(str->arr_len + 1, "String chars");
301         memcpy(newchars, str->elems, str->arr_len);
302         newchars[str->arr_len] = 0;
303         LDKStr res = {
304                 .chars = newchars,
305                 .len = str->arr_len,
306                 .chars_is_owned = true
307         };
308         return res;
309 }
310
311 typedef bool jboolean;
312
313 uint32_t __attribute__((visibility("default"))) TS_malloc(uint32_t size) {
314         return (uint32_t)MALLOC(size, "JS-Called malloc");
315 }
316 void __attribute__((visibility("default"))) TS_free(uint32_t ptr) {
317         FREE((void*)ptr);
318 }
319 """
320
321         self.c_version_file = ""
322
323         self.hu_struct_file_prefix = """
324 import CommonBase from './CommonBase.mjs';
325 import * as bindings from '../bindings.mjs'
326 import * as InternalUtils from '../InternalUtils.mjs'
327
328 """
329         self.util_fn_pfx = self.hu_struct_file_prefix + "\nexport class UtilMethods extends CommonBase {\n"
330         self.util_fn_sfx = "}"
331         self.c_fn_ty_pfx = ""
332         self.file_ext = ".mts"
333         self.ptr_c_ty = "uint32_t"
334         self.ptr_native_ty = "number"
335         self.result_c_ty = "uint32_t"
336         self.ptr_arr = "ptrArray"
337         self.is_arr_some_check = ("", " != 0")
338         self.get_native_arr_len_call = ("", "->arr_len")
339
340         with open(outdir + "/InternalUtils.mts", "w") as f:
341             f.write("export function check_arr_len(arr: Uint8Array, len: number): Uint8Array {\n")
342             f.write("\tif (arr.length != len) { throw new Error(\"Expected array of length \" + len + \"got \" + arr.length); }\n")
343             f.write("\treturn arr;\n")
344             f.write("}")
345
346     def release_native_arr_ptr_call(self, ty_info, arr_var, arr_ptr_var):
347         return None
348     def create_native_arr_call(self, arr_len, ty_info):
349         if ty_info.c_ty == "ptrArray":
350             assert ty_info.subty is not None and ty_info.subty.c_ty.endswith("Array")
351         return "init_" + ty_info.c_ty + "(" + arr_len + ")"
352     def set_native_arr_contents(self, arr_name, arr_len, ty_info):
353         if ty_info.c_ty == "int8_tArray":
354             return ("memcpy(" + arr_name + "->elems, ", ", " + arr_len + ")")
355         else:
356             assert False
357     def get_native_arr_contents(self, arr_name, dest_name, arr_len, ty_info, copy):
358         if ty_info.c_ty == "int8_tArray":
359             if copy:
360                 return "memcpy(" + dest_name + ", " + arr_name + "->elems, " + arr_len + ")"
361         if ty_info.c_ty == "ptrArray":
362             return "(void*) " + arr_name + "->elems"
363         else:
364             assert not copy
365             return arr_name + "->elems"
366     def get_native_arr_elem(self, arr_name, idxc, ty_info):
367         assert False # Only called if above is None
368     def get_native_arr_ptr_call(self, ty_info):
369         if ty_info.subty is not None:
370             return "(" + ty_info.subty.c_ty + "*)(", " + 4)"
371         return "(" + ty_info.c_ty + "*)(", " + 4)"
372     def get_native_arr_entry_call(self, ty_info, arr_name, idxc, entry_access):
373         return None
374     def cleanup_native_arr_ref_contents(self, arr_name, dest_name, arr_len, ty_info):
375         if ty_info.c_ty == "int8_tArray":
376             return None
377         else:
378             return None
379
380     def map_hu_array_elems(self, arr_name, conv_name, arr_ty, elem_ty):
381         return arr_name + " != null ? " + arr_name + ".map(" + conv_name + " => " + elem_ty.from_hu_conv[0] + ") : null"
382
383     def str_ref_to_native_call(self, var_name, str_len):
384         return "str_ref_to_ts(" + var_name + ", " + str_len + ")"
385     def str_ref_to_c_call(self, var_name):
386         return "str_ref_to_owned_c(" + var_name + ")"
387
388     def c_fn_name_define_pfx(self, fn_name, have_args):
389         return " __attribute__((visibility(\"default\"))) TS_" + fn_name + "("
390
391     def wasm_import_header(self, target):
392         res = """
393 const imports: any = {};
394 imports.env = {};
395
396 imports.env.tableBase = 0;
397 imports.env.table = new WebAssembly.Table({initial: 4, element: 'anyfunc'});
398
399 imports.env["abort"] = function () {
400         console.error("ABORT");
401 };
402 imports.env["js_invoke_function"] = function(fn: number, arg1: number, arg2: number, arg3: number, arg4: number, arg5: number, arg6: number, arg7: number, arg8: number, arg9: number, arg10: number) {
403         console.log('function called from wasm:', fn, arg1, arg2, arg3, arg4, arg5, arg6, arg7, arg8, arg9, arg10);
404 };
405 imports.env["js_free_function_ptr"] = function(fn: number) {
406         console.log("function ptr free'd from wasm:", fn);
407 };
408
409 imports.wasi_snapshot_preview1 = {
410         "fd_write" : () => {
411                 console.log("ABORT");
412         },
413         "random_get" : () => {
414                 console.log("RAND GET");
415         },
416         "environ_sizes_get" : () => {
417                 console.log("wasi_snapshot_preview1:environ_sizes_get");
418         },
419         "proc_exit" : () => {
420                 console.log("wasi_snapshot_preview1:proc_exit");
421         },
422         "environ_get" : () => {
423                 console.log("wasi_snapshot_preview1:environ_get");
424         },
425 };
426
427 var wasm: any = null;
428 let isWasmInitialized: boolean = false;
429 """
430
431         if target == Target.NODEJS:
432             res += """import * as fs from 'fs';
433 export async function initializeWasm(path: string) {
434         const source = fs.readFileSync(path);
435         const { instance: wasmInstance } = await WebAssembly.instantiate(source, imports);
436         wasm = wasmInstance.exports;
437         isWasmInitialized = true;
438 };
439 """
440         else:
441             res += """
442 export async function initializeWasm(uri: string) {
443         const stream = fetch(uri);
444         const { instance: wasmInstance } = await WebAssembly.instantiateStreaming(stream, imports);
445         wasm = wasmInstance.exports;
446         isWasmInitialized = true;
447 };
448
449 """
450
451         return res + """
452
453
454 // WASM CODEC
455
456 const nextMultipleOfFour = (value: number) => {
457         return Math.ceil(value / 4) * 4;
458 }
459
460 const encodeUint8Array = (inputArray: Uint8Array) => {
461         const cArrayPointer = wasm.TS_malloc(inputArray.length + 4);
462         const arrayLengthView = new Uint32Array(wasm.memory.buffer, cArrayPointer, 1);
463         arrayLengthView[0] = inputArray.length;
464         const arrayMemoryView = new Uint8Array(wasm.memory.buffer, cArrayPointer + 4, inputArray.length);
465         arrayMemoryView.set(inputArray);
466         return cArrayPointer;
467 }
468
469 const encodeUint32Array = (inputArray: Uint32Array) => {
470         const cArrayPointer = wasm.TS_malloc((inputArray.length + 1) * 4);
471         const arrayMemoryView = new Uint32Array(wasm.memory.buffer, cArrayPointer, inputArray.length);
472         arrayMemoryView.set(inputArray, 1);
473         arrayMemoryView[0] = inputArray.length;
474         return cArrayPointer;
475 }
476
477 const getArrayLength = (arrayPointer: number) => {
478         const arraySizeViewer = new Uint32Array(
479                 wasm.memory.buffer, // value
480                 arrayPointer, // offset
481                 1 // one int
482         );
483         return arraySizeViewer[0];
484 }
485 const decodeUint8Array = (arrayPointer: number, free = true) => {
486         const arraySize = getArrayLength(arrayPointer);
487         const actualArrayViewer = new Uint8Array(
488                 wasm.memory.buffer, // value
489                 arrayPointer + 4, // offset (ignoring length bytes)
490                 arraySize // uint8 count
491         );
492         // Clone the contents, TODO: In the future we should wrap the Viewer in a class that
493         // will free the underlying memory when it becomes unreachable instead of copying here.
494         const actualArray = actualArrayViewer.slice(0, arraySize);
495         if (free) {
496                 wasm.TS_free(arrayPointer);
497         }
498         return actualArray;
499 }
500 const decodeUint32Array = (arrayPointer: number, free = true) => {
501         const arraySize = getArrayLength(arrayPointer);
502         const actualArrayViewer = new Uint32Array(
503                 wasm.memory.buffer, // value
504                 arrayPointer + 4, // offset (ignoring length bytes)
505                 arraySize // uint32 count
506         );
507         // Clone the contents, TODO: In the future we should wrap the Viewer in a class that
508         // will free the underlying memory when it becomes unreachable instead of copying here.
509         const actualArray = actualArrayViewer.slice(0, arraySize);
510         if (free) {
511                 wasm.TS_free(arrayPointer);
512         }
513         return actualArray;
514 }
515
516 const encodeString = (string: string) => {
517         // make malloc count divisible by 4
518         const memoryNeed = nextMultipleOfFour(string.length + 1);
519         const stringPointer = wasm.TS_malloc(memoryNeed);
520         const stringMemoryView = new Uint8Array(
521                 wasm.memory.buffer, // value
522                 stringPointer, // offset
523                 string.length + 1 // length
524         );
525         for (let i = 0; i < string.length; i++) {
526                 stringMemoryView[i] = string.charCodeAt(i);
527         }
528         stringMemoryView[string.length] = 0;
529         return stringPointer;
530 }
531
532 const decodeString = (stringPointer: number, free = true) => {
533         const memoryView = new Uint8Array(wasm.memory.buffer, stringPointer);
534         let cursor = 0;
535         let result = '';
536
537         while (memoryView[cursor] !== 0) {
538                 result += String.fromCharCode(memoryView[cursor]);
539                 cursor++;
540         }
541
542         if (free) {
543                 wasm.wasm_free(stringPointer);
544         }
545
546         return result;
547 };
548 """
549
550     def init_str(self):
551         return ""
552
553     def constr_hu_array(self, ty_info, arr_len):
554         return "new Array(" + arr_len + ").fill(null)"
555
556     def var_decl_statement(self, ty_string, var_name, statement):
557         return "const " + var_name + ": " + ty_string + " = " + statement
558
559     def for_n_in_range(self, n, minimum, maximum):
560         return "for (var " + n + " = " + minimum + "; " + n + " < " + maximum + "; " + n + "++) {"
561     def for_n_in_arr(self, n, arr_name, arr_elem_ty):
562         return (arr_name + ".forEach((" + n + ": " + arr_elem_ty.java_hu_ty + ") => { ", " })")
563
564     def get_ptr(self, var):
565         return "CommonBase.get_ptr_of(" + var + ")"
566     def set_null_skip_free(self, var):
567         return "CommonBase.set_null_skip_free(" + var + ");"
568
569     def add_ref(self, holder, referent):
570         return "CommonBase.add_ref_from(" + holder + ", " + referent + ")"
571
572     def obj_defined(self, struct_names, folder):
573         with open(self.outdir + "/index.mts", 'a') as index:
574             index.write(f"export * from './{folder}/{struct_names[0]}.mjs';\n")
575         with open(self.outdir + "/imports.mts.part", 'a') as imports:
576             imports.write(f"import {{ {', '.join(struct_names)} }} from '../{folder}/{struct_names[0]}.mjs';\n")
577
578     def native_c_unitary_enum_map(self, struct_name, variants, enum_doc_comment):
579         out_c = "static inline LDK" + struct_name + " LDK" + struct_name + "_from_js(int32_t ord) {\n"
580         out_c = out_c + "\tswitch (ord) {\n"
581         ord_v = 0
582
583         out_typescript_enum_fields = ""
584
585         for var, var_docs in variants:
586             out_c = out_c + "\t\tcase %d: return %s;\n" % (ord_v, var)
587             ord_v = ord_v + 1
588             if var_docs is not None:
589                 out_typescript_enum_fields += f"/**\n * {var_docs}\n */\n"
590             out_typescript_enum_fields += f"{var},\n\t\t\t\t"
591         out_c = out_c + "\t}\n"
592         out_c = out_c + "\tabort();\n"
593         out_c = out_c + "}\n"
594
595         out_c = out_c + "static inline int32_t LDK" + struct_name + "_to_js(LDK" + struct_name + " val) {\n"
596         out_c = out_c + "\tswitch (val) {\n"
597         ord_v = 0
598         for var, _ in variants:
599             out_c = out_c + "\t\tcase " + var + ": return %d;\n" % ord_v
600             ord_v = ord_v + 1
601         out_c = out_c + "\t\tdefault: abort();\n"
602         out_c = out_c + "\t}\n"
603         out_c = out_c + "}\n"
604
605         out_typescript = f"""
606             export enum {struct_name} {{
607                 {out_typescript_enum_fields}
608             }}
609 """
610         out_typescript_enum = f"export {{ {struct_name} }} from \"../bindings.mjs\";"
611         self.obj_defined([struct_name], "enums")
612         return (out_c, out_typescript_enum, out_typescript)
613
614     def c_unitary_enum_to_native_call(self, ty_info):
615         return (ty_info.rust_obj + "_to_js(", ")")
616     def native_unitary_enum_to_c_call(self, ty_info):
617         return (ty_info.rust_obj + "_from_js(", ")")
618
619     def c_complex_enum_pass_ty(self, struct_name):
620         return "uint32_t"
621
622     def c_constr_native_complex_enum(self, struct_name, variant, c_params):
623         ret = "0 /* " + struct_name + " - " + variant + " */"
624         for param in c_params:
625             ret = ret + "; (void) " + param
626         return ret
627
628     def native_c_map_trait(self, struct_name, field_var_conversions, flattened_field_var_conversions, field_function_lines, trait_doc_comment):
629         out_typescript_bindings = "\n\n\n// OUT_TYPESCRIPT_BINDINGS :: MAP_TRAIT :: START\n\n"
630
631         super_instantiator = ""
632         bindings_instantiator = ""
633         pointer_to_adder = ""
634         impl_constructor_arguments = ""
635         for var in flattened_field_var_conversions:
636             if isinstance(var, ConvInfo):
637                 impl_constructor_arguments += f", {var.arg_name}: {var.java_hu_ty}"
638                 super_instantiator += first_to_lower(var.arg_name) + ", "
639                 if var.from_hu_conv is not None:
640                     bindings_instantiator += ", " + var.from_hu_conv[0]
641                     if var.from_hu_conv[1] != "":
642                         pointer_to_adder += "\t\t\t" + var.from_hu_conv[1] + ";\n"
643                 else:
644                     bindings_instantiator += ", " + first_to_lower(var.arg_name)
645             else:
646                 bindings_instantiator += ", " + first_to_lower(var[1]) + ".bindings_instance"
647                 super_instantiator += first_to_lower(var[1]) + "_impl, "
648                 pointer_to_adder += "\t\timpl_holder.held.ptrs_to.push(" + first_to_lower(var[1]) + ");\n"
649                 impl_constructor_arguments += f", {first_to_lower(var[1])}_impl: {var[0].replace('LDK', '')}Interface"
650
651         super_constructor_statements = ""
652         trait_constructor_arguments = ""
653         for var in field_var_conversions:
654             if isinstance(var, ConvInfo):
655                 trait_constructor_arguments += ", " + var.arg_name
656             else:
657                 super_constructor_statements += "\t\tconst " + first_to_lower(var[1]) + " = " + var[1] + ".new_impl(" + super_instantiator + ");\n"
658                 trait_constructor_arguments += ", " + first_to_lower(var[1]) + ".bindings_instance"
659                 for suparg in var[2]:
660                     if isinstance(suparg, ConvInfo):
661                         trait_constructor_arguments += ", " + suparg.arg_name
662                     else:
663                         trait_constructor_arguments += ", " + suparg[1]
664
665         # BUILD INTERFACE METHODS
666         out_java_interface = ""
667         out_interface_implementation_overrides = ""
668         java_methods = []
669         for fn_line in field_function_lines:
670             java_method_descriptor = ""
671             if fn_line.fn_name != "free" and fn_line.fn_name != "cloned":
672                 out_java_interface += "\t" + fn_line.fn_name + "("
673                 out_interface_implementation_overrides += f"\t\t\t{fn_line.fn_name} ("
674
675                 for idx, arg_conv_info in enumerate(fn_line.args_ty):
676                     if idx >= 1:
677                         out_java_interface += ", "
678                         out_interface_implementation_overrides += ", "
679                     out_java_interface += f"{arg_conv_info.arg_name}: {arg_conv_info.java_hu_ty}"
680                     out_interface_implementation_overrides += f"{arg_conv_info.arg_name}: {arg_conv_info.java_ty}"
681                     java_method_descriptor += arg_conv_info.java_fn_ty_arg
682                 out_java_interface += f"): {fn_line.ret_ty_info.java_hu_ty};\n"
683                 java_method_descriptor += ")" + fn_line.ret_ty_info.java_fn_ty_arg
684                 java_methods.append((fn_line.fn_name, java_method_descriptor))
685
686                 out_interface_implementation_overrides += f"): {fn_line.ret_ty_info.java_ty} {{\n"
687
688                 for arg_info in fn_line.args_ty:
689                     if arg_info.to_hu_conv is not None:
690                         out_interface_implementation_overrides += "\t\t\t\t" + arg_info.to_hu_conv.replace("\n", "\n\t\t\t\t") + "\n"
691
692                 if fn_line.ret_ty_info.java_ty != "void":
693                     out_interface_implementation_overrides += "\t\t\t\tconst ret: " + fn_line.ret_ty_info.java_hu_ty + " = arg." + fn_line.fn_name + "("
694                 else:
695                     out_interface_implementation_overrides += f"\t\t\t\targ." + fn_line.fn_name + "("
696
697                 for idx, arg_info in enumerate(fn_line.args_ty):
698                     if idx != 0:
699                         out_interface_implementation_overrides += ", "
700                     if arg_info.to_hu_conv_name is not None:
701                         out_interface_implementation_overrides += arg_info.to_hu_conv_name
702                     else:
703                         out_interface_implementation_overrides += arg_info.arg_name
704
705                 out_interface_implementation_overrides += ");\n"
706                 if fn_line.ret_ty_info.java_ty != "void":
707                     if fn_line.ret_ty_info.from_hu_conv is not None:
708                         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"
709                         if fn_line.ret_ty_info.from_hu_conv[1] != "":
710                             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"
711                         #if fn_line.ret_ty_info.rust_obj in result_types:
712                         # XXX: We need to handle this in conversion logic so that its cross-language!
713                         # Avoid double-free by breaking the result - we should learn to clone these and then we can be safe instead
714                         #    out_interface_implementation_overrides = out_interface_implementation_overrides + "\t\t\t\tret.ptr = 0;\n"
715                         out_interface_implementation_overrides += "\t\t\t\treturn result;\n"
716                     else:
717                         out_interface_implementation_overrides += "\t\t\t\treturn ret;\n"
718                 out_interface_implementation_overrides += f"\t\t\t}},\n"
719
720         out_typescript_human = f"""
721 {self.hu_struct_file_prefix}
722
723 export interface {struct_name.replace("LDK", "")}Interface {{
724 {out_java_interface}}}
725
726 class {struct_name}Holder {{
727         held: {struct_name.replace("LDK", "")};
728 }}
729
730 export class {struct_name.replace("LDK","")} extends CommonBase {{
731         /* @internal */
732         public bindings_instance?: bindings.{struct_name};
733
734         /* @internal */
735         constructor(_dummy: object, ptr: number) {{
736                 super(ptr, bindings.{struct_name.replace("LDK","")}_free);
737                 this.bindings_instance = null;
738         }}
739
740         static new_impl(arg: {struct_name.replace("LDK", "")}Interface{impl_constructor_arguments}): {struct_name.replace("LDK", "")} {{
741                 const impl_holder: {struct_name}Holder = new {struct_name}Holder();
742                 let structImplementation = {{
743 {out_interface_implementation_overrides}                }} as bindings.{struct_name};
744 {super_constructor_statements}          const ptr: number = bindings.{struct_name}_new(structImplementation{bindings_instantiator});
745
746                 impl_holder.held = new {struct_name.replace("LDK", "")}(null, ptr);
747                 impl_holder.held.bindings_instance = structImplementation;
748 {pointer_to_adder}              return impl_holder.held;
749         }}
750 """
751         self.obj_defined([struct_name.replace("LDK", ""), struct_name.replace("LDK", "") + "Interface"], "structs")
752
753         out_typescript_bindings += "export interface " + struct_name + " {\n"
754         java_meths = []
755         for fn_line in field_function_lines:
756             if fn_line.fn_name != "free" and fn_line.fn_name != "cloned":
757                 out_typescript_bindings += f"\t{fn_line.fn_name} ("
758
759                 for idx, arg_conv_info in enumerate(fn_line.args_ty):
760                     if idx >= 1:
761                         out_typescript_bindings = out_typescript_bindings + ", "
762                     out_typescript_bindings += f"{arg_conv_info.arg_name}: {arg_conv_info.java_ty}"
763
764                 out_typescript_bindings += f"): {fn_line.ret_ty_info.java_ty};\n"
765
766         out_typescript_bindings += "}\n\n"
767
768         out_typescript_bindings += f"export function {struct_name}_new(impl: {struct_name}"
769         for var in flattened_field_var_conversions:
770             if isinstance(var, ConvInfo):
771                 out_typescript_bindings += f", {var.arg_name}: {var.java_ty}"
772             else:
773                 out_typescript_bindings += f", {var[1]}: {var[0]}"
774
775         out_typescript_bindings += f"""): number {{
776                         throw new Error('unimplemented'); // TODO: bind to WASM
777                 }}
778 """
779
780         out_typescript_bindings += '\n// OUT_TYPESCRIPT_BINDINGS :: MAP_TRAIT :: END\n\n\n'
781
782         # Now that we've written out our java code (and created java_meths), generate C
783         out_c = "typedef struct " + struct_name + "_JCalls {\n"
784         out_c = out_c + "\tatomic_size_t refcnt;\n"
785         for var in flattened_field_var_conversions:
786             if isinstance(var, ConvInfo):
787                 # We're a regular ol' field
788                 pass
789             else:
790                 # We're a supertrait
791                 out_c = out_c + "\t" + var[0] + "_JCalls* " + var[1] + ";\n"
792         for fn in field_function_lines:
793             if fn.fn_name != "free" and fn.fn_name != "cloned":
794                 out_c = out_c + "\tuint32_t " + fn.fn_name + "_meth;\n"
795         out_c = out_c + "} " + struct_name + "_JCalls;\n"
796
797         for fn_line in field_function_lines:
798             if fn_line.fn_name == "free":
799                 out_c = out_c + "static void " + struct_name + "_JCalls_free(void* this_arg) {\n"
800                 out_c = out_c + "\t" + struct_name + "_JCalls *j_calls = (" + struct_name + "_JCalls*) this_arg;\n"
801                 out_c = out_c + "\tif (atomic_fetch_sub_explicit(&j_calls->refcnt, 1, memory_order_acquire) == 1) {\n"
802                 for fn in field_function_lines:
803                     if fn.fn_name != "free" and fn.fn_name != "cloned":
804                         out_c = out_c + "\t\tjs_free_function_ptr(j_calls->" + fn.fn_name + "_meth);\n"
805                 out_c = out_c + "\t\tFREE(j_calls);\n"
806                 out_c = out_c + "\t}\n}\n"
807
808         for idx, fn_line in enumerate(field_function_lines):
809             if fn_line.fn_name != "free" and fn_line.fn_name != "cloned":
810                 assert fn_line.ret_ty_info.ty_info.get_full_rust_ty()[1] == ""
811                 out_c = out_c + fn_line.ret_ty_info.ty_info.get_full_rust_ty()[0] + " " + fn_line.fn_name + "_" + struct_name + "_jcall("
812                 if fn_line.self_is_const:
813                     out_c = out_c + "const void* this_arg"
814                 else:
815                     out_c = out_c + "void* this_arg"
816
817                 for idx, arg in enumerate(fn_line.args_ty):
818                     out_c = out_c + ", " + arg.ty_info.get_full_rust_ty()[0] + " " + arg.arg_name + arg.ty_info.get_full_rust_ty()[1]
819
820                 out_c = out_c + ") {\n"
821                 out_c = out_c + "\t" + struct_name + "_JCalls *j_calls = (" + struct_name + "_JCalls*) this_arg;\n"
822
823                 for arg_info in fn_line.args_ty:
824                     if arg_info.ret_conv is not None:
825                         out_c = out_c + "\t" + arg_info.ret_conv[0].replace('\n', '\n\t')
826                         out_c = out_c + arg_info.arg_name
827                         out_c = out_c + arg_info.ret_conv[1].replace('\n', '\n\t') + "\n"
828
829                 if fn_line.ret_ty_info.c_ty.endswith("Array"):
830                     out_c += "\t" + fn_line.ret_ty_info.c_ty + " ret = (" + fn_line.ret_ty_info.c_ty + ")"
831                     out_c += "js_invoke_function_" + str(len(fn_line.args_ty)) + "(j_calls->" + fn_line.fn_name + "_meth"
832                 elif fn_line.ret_ty_info.java_ty == "void":
833                     out_c = out_c + "\tjs_invoke_function_" + str(len(fn_line.args_ty)) + "(j_calls->" + fn_line.fn_name + "_meth"
834                 elif fn_line.ret_ty_info.java_ty == "String":
835                     out_c = out_c + "\tjstring ret = (jstring)js_invoke_function_" + str(len(fn_line.args_ty)) + "(j_calls->" + fn_line.fn_name + "_meth"
836                 elif not fn_line.ret_ty_info.passed_as_ptr:
837                     out_c = out_c + "\treturn js_invoke_function_" + str(len(fn_line.args_ty)) + "(j_calls->" + fn_line.fn_name + "_meth"
838                 else:
839                     out_c = out_c + "\tuint32_t ret = js_invoke_function_" + str(len(fn_line.args_ty)) + "(j_calls->" + fn_line.fn_name + "_meth"
840
841                 for idx, arg_info in enumerate(fn_line.args_ty):
842                     if arg_info.ret_conv is not None:
843                         out_c = out_c + ", (uint32_t)" + arg_info.ret_conv_name
844                     else:
845                         out_c = out_c + ", (uint32_t)" + arg_info.arg_name
846                 out_c = out_c + ");\n"
847                 if fn_line.ret_ty_info.arg_conv is not None:
848                     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"
849
850                 out_c = out_c + "}\n"
851
852         # Write out a clone function whether we need one or not, as we use them in moving to rust
853         out_c = out_c + "static void " + struct_name + "_JCalls_cloned(" + struct_name + "* new_obj) {\n"
854         out_c = out_c + "\t" + struct_name + "_JCalls *j_calls = (" + struct_name + "_JCalls*) new_obj->this_arg;\n"
855         out_c = out_c + "\tatomic_fetch_add_explicit(&j_calls->refcnt, 1, memory_order_release);\n"
856         for var in field_var_conversions:
857             if not isinstance(var, ConvInfo):
858                 out_c = out_c + "\tatomic_fetch_add_explicit(&j_calls->" + var[1] + "->refcnt, 1, memory_order_release);\n"
859         out_c = out_c + "}\n"
860
861         out_c = out_c + "static inline " + struct_name + " " + struct_name + "_init (/*TODO: JS Object Reference */void* o"
862         for var in flattened_field_var_conversions:
863             if isinstance(var, ConvInfo):
864                 out_c = out_c + ", " + var.c_ty + " " + var.arg_name
865             else:
866                 out_c = out_c + ", /*TODO: JS Object Reference */void* " + var[1]
867         out_c = out_c + ") {\n"
868
869         out_c = out_c + "\t" + struct_name + "_JCalls *calls = MALLOC(sizeof(" + struct_name + "_JCalls), \"" + struct_name + "_JCalls\");\n"
870         out_c = out_c + "\tatomic_init(&calls->refcnt, 1);\n"
871         out_c = out_c + "\t//TODO: Assign calls->o from o\n"
872
873         for (fn_name, java_meth_descr) in java_meths:
874             if fn_name != "free" and fn_name != "cloned":
875                 out_c = out_c + "\tcalls->" + fn_name + "_meth = (*env)->GetMethodID(env, c, \"" + fn_name + "\", \"" + java_meth_descr + "\");\n"
876                 out_c = out_c + "\tCHECK(calls->" + fn_name + "_meth != NULL);\n"
877
878         for var in flattened_field_var_conversions:
879             if isinstance(var, ConvInfo) and var.arg_conv is not None:
880                 out_c = out_c + "\n\t" + var.arg_conv.replace("\n", "\n\t") +"\n"
881         out_c = out_c + "\n\t" + struct_name + " ret = {\n"
882         out_c = out_c + "\t\t.this_arg = (void*) calls,\n"
883         for fn_line in field_function_lines:
884             if fn_line.fn_name != "free" and fn_line.fn_name != "cloned":
885                 out_c = out_c + "\t\t." + fn_line.fn_name + " = " + fn_line.fn_name + "_" + struct_name + "_jcall,\n"
886             elif fn_line.fn_name == "free":
887                 out_c = out_c + "\t\t.free = " + struct_name + "_JCalls_free,\n"
888             else:
889                 out_c = out_c + "\t\t.cloned = " + struct_name + "_JCalls_cloned,\n"
890         for var in field_var_conversions:
891             if isinstance(var, ConvInfo):
892                 if var.arg_conv_name is not None:
893                     out_c = out_c + "\t\t." + var.arg_name + " = " + var.arg_conv_name + ",\n"
894                     out_c = out_c + "\t\t.set_" + var.arg_name + " = NULL,\n"
895                 else:
896                     out_c = out_c + "\t\t." + var.var_name + " = " + var.var_name + ",\n"
897                     out_c = out_c + "\t\t.set_" + var.var_name + " = NULL,\n"
898             else:
899                 out_c += "\t\t." + var[1] + " = " + var[0] + "_init(" + var[1]
900                 for suparg in var[2]:
901                     if isinstance(suparg, ConvInfo):
902                         out_c += ", " + suparg.arg_name
903                     else:
904                         out_c += ", " + suparg[1]
905                 out_c += "),\n"
906         out_c = out_c + "\t};\n"
907         for var in flattened_field_var_conversions:
908             if not isinstance(var, ConvInfo):
909                 out_c = out_c + "\tcalls->" + var[1] + " = ret." + var[1] + ".this_arg;\n"
910         out_c = out_c + "\treturn ret;\n"
911         out_c = out_c + "}\n"
912
913         out_c = out_c + self.c_fn_ty_pfx + "long " + self.c_fn_name_define_pfx(struct_name + "_new", True) + "/*TODO: JS Object Reference */void* o"
914         for var in flattened_field_var_conversions:
915             if isinstance(var, ConvInfo):
916                 out_c = out_c + ", " + var.c_ty + " " + var.arg_name
917             else:
918                 out_c = out_c + ", /*TODO: JS Object Reference */ void* " + var[1]
919         out_c = out_c + ") {\n"
920         out_c = out_c + "\t" + struct_name + " *res_ptr = MALLOC(sizeof(" + struct_name + "), \"" + struct_name + "\");\n"
921         out_c = out_c + "\t*res_ptr = " + struct_name + "_init(o"
922         for var in flattened_field_var_conversions:
923             if isinstance(var, ConvInfo):
924                 out_c = out_c + ", " + var.arg_name
925             else:
926                 out_c = out_c + ", " + var[1]
927         out_c = out_c + ");\n"
928         out_c = out_c + "\treturn (long)res_ptr;\n"
929         out_c = out_c + "}\n"
930
931         return (out_typescript_bindings, out_typescript_human, out_c)
932
933     def trait_struct_inc_refcnt(self, ty_info):
934         return ""
935
936     def map_complex_enum(self, struct_name, variant_list, camel_to_snake, enum_doc_comment):
937         bindings_type = struct_name.replace("LDK", "")
938         java_hu_type = struct_name.replace("LDK", "").replace("COption", "Option")
939
940         out_java_enum = ""
941         out_java = ""
942         out_c = ""
943
944         out_java_enum += (self.hu_struct_file_prefix)
945
946         java_hu_class = ""
947         java_hu_class += "export class " + java_hu_type + " extends CommonBase {\n"
948         java_hu_class += "\tprotected constructor(_dummy: object, ptr: number) { super(ptr, bindings." + bindings_type + "_free); }\n"
949         java_hu_class += "\t/* @internal */\n"
950         java_hu_class += f"\tpublic static constr_from_ptr(ptr: number): {java_hu_type} {{\n"
951         java_hu_class += f"\t\tconst raw_val: bindings.{struct_name} = bindings." + struct_name + "_ref_from_ptr(ptr);\n"
952         java_hu_subclasses = ""
953
954         out_java += "export class " + struct_name + " {\n"
955         out_java += "\tprotected constructor() {}\n"
956         java_subclasses = ""
957         for var in variant_list:
958             java_subclasses += "export class " + struct_name + "_" + var.var_name + " extends " + struct_name + " {\n"
959             java_hu_subclasses = java_hu_subclasses + "export class " + java_hu_type + "_" + var.var_name + " extends " + java_hu_type + " {\n"
960             java_hu_class += "\t\tif (raw_val instanceof bindings." + struct_name + "_" + var.var_name + ") {\n"
961             java_hu_class += "\t\t\treturn new " + java_hu_type + "_" + var.var_name + "(ptr, raw_val);\n"
962             init_meth_params = ""
963             hu_conv_body = ""
964             for idx, (field_ty, field_docs) in enumerate(var.fields):
965                 java_hu_subclasses = java_hu_subclasses + "\tpublic " + field_ty.arg_name + f": {field_ty.java_hu_ty};\n"
966                 if field_ty.to_hu_conv is not None:
967                     hu_conv_body = hu_conv_body + "\t\tconst " + field_ty.arg_name + f": {field_ty.java_ty} = obj." + field_ty.arg_name + ";\n"
968                     hu_conv_body = hu_conv_body + "\t\t" + field_ty.to_hu_conv.replace("\n", "\n\t\t\t") + "\n"
969                     hu_conv_body = hu_conv_body + "\t\tthis." + field_ty.arg_name + " = " + field_ty.to_hu_conv_name + ";\n"
970                 else:
971                     hu_conv_body = hu_conv_body + "\t\tthis." + field_ty.arg_name + " = obj." + field_ty.arg_name + ";\n"
972                 if idx > 0:
973                     init_meth_params += ", "
974                 init_meth_params += "public " + field_ty.arg_name + ": " + field_ty.java_ty
975             java_subclasses += "\tconstructor(" + init_meth_params + ") { super(); }\n"
976             java_subclasses += "}\n"
977             java_hu_class += "\t\t}\n"
978             java_hu_subclasses += "\t/* @internal */\n"
979             java_hu_subclasses += "\tpublic constructor(ptr: number, obj: bindings." + struct_name + "_" + var.var_name + ") {\n\t\tsuper(null, ptr);\n"
980             java_hu_subclasses = java_hu_subclasses + hu_conv_body
981             java_hu_subclasses = java_hu_subclasses + "\t}\n}\n"
982         out_java += "}\n"
983         out_java += java_subclasses
984         java_hu_class += "\t\tthrow new Error('oops, this should be unreachable'); // Unreachable without extending the (internal) bindings interface\n\t}\n\n"
985         out_java += self.fn_call_body(struct_name + "_ref_from_ptr", "uint32_t", "number", "ptr: number", "ptr")
986
987         out_c += (self.c_fn_ty_pfx + self.c_complex_enum_pass_ty(struct_name) + self.c_fn_name_define_pfx(struct_name + "_ref_from_ptr", True) + self.ptr_c_ty + " ptr) {\n")
988         out_c += ("\t" + struct_name + " *obj = (" + struct_name + "*)(ptr & ~1);\n")
989         out_c += ("\tswitch(obj->tag) {\n")
990         for var in variant_list:
991             out_c += ("\t\tcase " + struct_name + "_" + var.var_name + ": {\n")
992             c_params = []
993             for idx, (field_map, _) in enumerate(var.fields):
994                 if field_map.ret_conv is not None:
995                     out_c += ("\t\t\t" + field_map.ret_conv[0].replace("\n", "\n\t\t\t"))
996                     if var.tuple_variant:
997                         out_c += "obj->" + camel_to_snake(var.var_name)
998                     else:
999                         out_c += "obj->" + camel_to_snake(var.var_name) + "." + field_map.arg_name
1000                     out_c += (field_map.ret_conv[1].replace("\n", "\n\t\t\t") + "\n")
1001                     c_params.append(field_map.ret_conv_name)
1002                 else:
1003                     if var.tuple_variant:
1004                         c_params.append("obj->" + camel_to_snake(var.var_name))
1005                     else:
1006                         c_params.append("obj->" + camel_to_snake(var.var_name) + "." + field_map.arg_name)
1007             out_c += ("\t\t\treturn " + self.c_constr_native_complex_enum(struct_name, var.var_name, c_params) + ";\n")
1008             out_c += ("\t\t}\n")
1009         out_c += ("\t\tdefault: abort();\n")
1010         out_c += ("\t}\n}\n")
1011         out_java_enum += java_hu_class
1012         self.struct_file_suffixes[java_hu_type] = java_hu_subclasses
1013         self.obj_defined([java_hu_type], "structs")
1014         return (out_java, out_java_enum, out_c)
1015
1016     def map_opaque_struct(self, struct_name, struct_doc_comment):
1017         implementations = ""
1018         method_header = ""
1019
1020         hu_name = struct_name.replace("LDKC2Tuple", "TwoTuple").replace("LDKC3Tuple", "ThreeTuple").replace("LDK", "")
1021         out_opaque_struct_human = f"{self.hu_struct_file_prefix}"
1022         if struct_name.startswith("LDKLocked"):
1023             out_opaque_struct_human += "/** XXX: DO NOT USE THIS - it remains locked until the GC runs (if that ever happens */"
1024         out_opaque_struct_human += f"""
1025 export class {hu_name} extends CommonBase {implementations}{{
1026         /* @internal */
1027         public constructor(_dummy: object, ptr: number) {{
1028                 super(ptr, bindings.{struct_name.replace("LDK","")}_free);
1029         }}
1030
1031 """
1032         self.obj_defined([hu_name], "structs")
1033         return out_opaque_struct_human
1034
1035     def map_tuple(self, struct_name):
1036         return self.map_opaque_struct(struct_name, "A Tuple")
1037
1038     def map_result(self, struct_name, res_map, err_map):
1039         human_ty = struct_name.replace("LDKCResult", "Result")
1040
1041         suffixes = f"export class {human_ty}_OK extends {human_ty} {{\n"
1042         if res_map.java_hu_ty != "void":
1043             suffixes += "\tpublic res: " + res_map.java_hu_ty + ";\n"
1044         suffixes += f"""
1045         /* @internal */
1046         public constructor(_dummy: object, ptr: number) {{
1047                 super(_dummy, ptr);
1048 """
1049         if res_map.java_hu_ty == "void":
1050             pass
1051         elif res_map.to_hu_conv is not None:
1052             suffixes += "\t\tconst res: " + res_map.java_ty + " = bindings." + struct_name.replace("LDK", "") + "_get_ok(ptr);\n"
1053             suffixes += "\t\t" + res_map.to_hu_conv.replace("\n", "\n\t\t")
1054             suffixes += "\n\t\tthis.res = " + res_map.to_hu_conv_name + ";\n"
1055         else:
1056             suffixes += "\t\tthis.res = bindings." + struct_name.replace("LDK", "") + "_get_ok(ptr);\n"
1057         suffixes += "\t}\n}\n"
1058
1059         suffixes += f"export class {human_ty}_Err extends {human_ty} {{\n"
1060         if err_map.java_hu_ty != "void":
1061             suffixes += "\tpublic err: " + err_map.java_hu_ty + ";\n"
1062         suffixes += f"""
1063         /* @internal */
1064         public constructor(_dummy: object, ptr: number) {{
1065                 super(_dummy, ptr);
1066 """
1067         if err_map.java_hu_ty == "void":
1068             pass
1069         elif err_map.to_hu_conv is not None:
1070             suffixes += "\t\tconst err: " + err_map.java_ty + " = bindings." + struct_name.replace("LDK", "") + "_get_err(ptr);\n"
1071             suffixes += "\t\t" + err_map.to_hu_conv.replace("\n", "\n\t\t")
1072             suffixes += "\n\t\tthis.err = " + err_map.to_hu_conv_name + ";\n"
1073         else:
1074             suffixes += "\t\tthis.err = bindings." + struct_name.replace("LDK", "") + "_get_err(ptr);\n"
1075         suffixes += "\t}\n}"
1076
1077         self.struct_file_suffixes[human_ty] = suffixes
1078         self.obj_defined([human_ty], "structs")
1079
1080         return f"""{self.hu_struct_file_prefix}
1081
1082 export class {human_ty} extends CommonBase {{
1083         protected constructor(_dummy: object, ptr: number) {{
1084                 super(ptr, bindings.{struct_name.replace("LDK","")}_free);
1085         }}
1086         /* @internal */
1087         public static constr_from_ptr(ptr: number): {human_ty} {{
1088                 if (bindings.{struct_name.replace("LDK", "")}_is_ok(ptr)) {{
1089                         return new {human_ty}_OK(null, ptr);
1090                 }} else {{
1091                         return new {human_ty}_Err(null, ptr);
1092                 }}
1093         }}
1094 """
1095
1096     def fn_call_body(self, method_name, return_c_ty, return_java_ty, method_argument_string, native_call_argument_string):
1097         has_return_value = return_c_ty != 'void'
1098         needs_decoding = return_c_ty in self.wasm_decoding_map
1099         return_statement = 'return nativeResponseValue;'
1100         if not has_return_value:
1101             return_statement = '// debug statements here'
1102         elif needs_decoding:
1103             converter = self.wasm_decoding_map[return_c_ty]
1104             return_statement = f"return {converter}(nativeResponseValue);"
1105
1106         return f"""export function {method_name}({method_argument_string}): {return_java_ty} {{
1107         if(!isWasmInitialized) {{
1108                 throw new Error("initializeWasm() must be awaited first!");
1109         }}
1110         const nativeResponseValue = wasm.TS_{method_name}({native_call_argument_string});
1111         {return_statement}
1112 }}
1113 """
1114     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):
1115         out_java = ""
1116         out_c = ""
1117         out_java_struct = None
1118
1119         out_java += ("\t")
1120         out_c += (self.c_fn_ty_pfx)
1121         out_c += (return_type_info.c_ty)
1122         out_java += (return_type_info.java_ty)
1123         if return_type_info.ret_conv is not None:
1124             ret_conv_pfx, ret_conv_sfx = return_type_info.ret_conv
1125         out_java += (" " + method_name + "(")
1126         out_c += (" "  + self.c_fn_name_define_pfx(method_name, True))
1127
1128         method_argument_string = ""
1129         native_call_argument_string = ""
1130         for idx, arg_conv_info in enumerate(argument_types):
1131             if idx != 0:
1132                 method_argument_string += (", ")
1133                 native_call_argument_string += ', '
1134                 out_c += (", ")
1135             if arg_conv_info.c_ty != "void":
1136                 out_c += (arg_conv_info.c_ty + " " + arg_conv_info.arg_name)
1137                 needs_encoding = arg_conv_info.c_ty in self.wasm_encoding_map
1138                 native_argument = arg_conv_info.arg_name
1139                 if needs_encoding:
1140                     converter = self.wasm_encoding_map[arg_conv_info.c_ty]
1141                     native_argument = f"{converter}({arg_conv_info.arg_name})"
1142                 method_argument_string += f"{arg_conv_info.arg_name}: {arg_conv_info.java_ty}"
1143                 native_call_argument_string += native_argument
1144         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)
1145
1146         out_java_struct = ""
1147         if not args_known:
1148             out_java_struct += ("\t// Skipped " + method_name + "\n")
1149         else:
1150             if not takes_self:
1151                 out_java_struct += (
1152                         "\tpublic static constructor_" + meth_n + "(")
1153             else:
1154                 out_java_struct += ("\tpublic " + meth_n + "(")
1155             for idx, arg in enumerate(argument_types):
1156                 if idx != 0:
1157                     if not takes_self or idx > 1:
1158                         out_java_struct += (", ")
1159                 elif takes_self:
1160                     continue
1161                 if arg.java_ty != "void":
1162                     if arg.arg_name in default_constructor_args:
1163                         for explode_idx, explode_arg in enumerate(default_constructor_args[arg.arg_name]):
1164                             if explode_idx != 0:
1165                                 out_java_struct += (", ")
1166                             out_java_struct += arg.arg_name + "_" + explode_arg.arg_name + ": " + explode_arg.java_hu_ty
1167                     else:
1168                         out_java_struct += arg.arg_name + ": " + arg.java_hu_ty
1169
1170         out_c += (") {\n")
1171         if out_java_struct is not None:
1172             out_java_struct += "): " + return_type_info.java_hu_ty + " {\n"
1173         for info in argument_types:
1174             if info.arg_conv is not None:
1175                 out_c += ("\t" + info.arg_conv.replace('\n', "\n\t") + "\n")
1176         if return_type_info.ret_conv is not None:
1177             out_c += ("\t" + ret_conv_pfx.replace('\n', '\n\t'))
1178         elif return_type_info.c_ty != "void":
1179             out_c += ("\t" + return_type_info.c_ty + " ret_val = ")
1180         else:
1181             out_c += ("\t")
1182         if c_call_string is None:
1183             out_c += (method_name + "(")
1184         else:
1185             out_c += (c_call_string)
1186         for idx, info in enumerate(argument_types):
1187             if info.arg_conv_name is not None:
1188                 if idx != 0:
1189                     out_c += (", ")
1190                 elif c_call_string is not None:
1191                     continue
1192                 out_c += (info.arg_conv_name)
1193         out_c += (")")
1194         if return_type_info.ret_conv is not None:
1195             out_c += (ret_conv_sfx.replace('\n', '\n\t'))
1196         else:
1197             out_c += (";")
1198         for info in argument_types:
1199             if info.arg_conv_cleanup is not None:
1200                 out_c += ("\n\t" + info.arg_conv_cleanup.replace("\n", "\n\t"))
1201         if return_type_info.ret_conv is not None:
1202             out_c += ("\n\treturn " + return_type_info.ret_conv_name + ";")
1203         elif return_type_info.c_ty != "void":
1204             out_c += ("\n\treturn ret_val;")
1205         out_c += ("\n}\n\n")
1206
1207         if args_known:
1208             out_java_struct += ("\t\t")
1209             if return_type_info.java_ty != "void":
1210                 out_java_struct += "const ret: " + return_type_info.java_ty + " = "
1211             out_java_struct += ("bindings." + method_name + "(")
1212             for idx, info in enumerate(argument_types):
1213                 if idx != 0:
1214                     out_java_struct += (", ")
1215                 if idx == 0 and takes_self:
1216                     out_java_struct += ("this.ptr")
1217                 elif info.arg_name in default_constructor_args:
1218                     out_java_struct += ("bindings." + info.java_hu_ty + "_new(")
1219                     for explode_idx, explode_arg in enumerate(default_constructor_args[info.arg_name]):
1220                         if explode_idx != 0:
1221                             out_java_struct += (", ")
1222                         expl_arg_name = info.arg_name + "_" + explode_arg.arg_name
1223                         if explode_arg.from_hu_conv is not None:
1224                             out_java_struct += (
1225                                 explode_arg.from_hu_conv[0].replace(explode_arg.arg_name, expl_arg_name))
1226                         else:
1227                             out_java_struct += (expl_arg_name)
1228                     out_java_struct += (")")
1229                 elif info.from_hu_conv is not None:
1230                     out_java_struct += (info.from_hu_conv[0])
1231                 else:
1232                     out_java_struct += (info.arg_name)
1233             out_java_struct += (");\n")
1234             if return_type_info.to_hu_conv is not None:
1235                 if not takes_self:
1236                     out_java_struct += ("\t\t" + return_type_info.to_hu_conv.replace("\n", "\n\t\t").replace("this",
1237                                                                                                              return_type_info.to_hu_conv_name) + "\n")
1238                 else:
1239                     out_java_struct += ("\t\t" + return_type_info.to_hu_conv.replace("\n", "\n\t\t") + "\n")
1240
1241             for idx, info in enumerate(argument_types):
1242                 if idx == 0 and takes_self:
1243                     pass
1244                 elif info.arg_name in default_constructor_args:
1245                     for explode_arg in default_constructor_args[info.arg_name]:
1246                         expl_arg_name = info.arg_name + "_" + explode_arg.arg_name
1247                         if explode_arg.from_hu_conv is not None and return_type_info.to_hu_conv_name:
1248                             out_java_struct += ("\t\t" + explode_arg.from_hu_conv[1].replace(explode_arg.arg_name,
1249                                                                                              expl_arg_name).replace(
1250                                 "this", return_type_info.to_hu_conv_name) + ";\n")
1251                 elif info.from_hu_conv is not None and info.from_hu_conv[1] != "":
1252                     if not takes_self and return_type_info.to_hu_conv_name is not None:
1253                         out_java_struct += (
1254                                 "\t\t" + info.from_hu_conv[1].replace("this", return_type_info.to_hu_conv_name).replace("\n", "\n\t\t") + ";\n")
1255                     else:
1256                         out_java_struct += ("\t\t" + info.from_hu_conv[1].replace("\n", "\n\t\t") + ";\n")
1257
1258             if return_type_info.to_hu_conv_name is not None:
1259                 out_java_struct += ("\t\treturn " + return_type_info.to_hu_conv_name + ";\n")
1260             elif return_type_info.java_ty != "void" and return_type_info.rust_obj != "LDK" + struct_meth:
1261                 out_java_struct += ("\t\treturn ret;\n")
1262             out_java_struct += ("\t}\n\n")
1263
1264         return (out_java, out_c, out_java_struct)
1265
1266     def cleanup(self):
1267         for struct in self.struct_file_suffixes:
1268             with open(self.outdir + "/structs/" + struct + self.file_ext, "a") as src:
1269                 src.write(self.struct_file_suffixes[struct])