-
Notifications
You must be signed in to change notification settings - Fork 5
/
Copy pathwasm_backend.py
1098 lines (987 loc) · 36.3 KB
/
wasm_backend.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
from .astnodes import *
from .types import *
from .builder import Builder
from .typesystem import TypeSystem
from .visitor import CommonVisitor
from typing import List, Dict, Tuple, Set, Optional, cast, Callable
class WasmBuilder(Builder):
def __init__(self, name: str):
super(WasmBuilder, self).__init__(name)
def module(self):
self.newLine("(module")
self.indent()
def block(self, name: str):
self.newLine(f"(block ${name}")
self.indent()
def loop(self, name: str):
self.newLine(f"(loop ${name}")
self.indent()
def _if(self):
self.newLine("(if")
self.indent()
def _then(self):
self.newLine("(then")
self.indent()
def _else(self):
self.newLine("(else")
self.indent()
def func(self, name: str, sig: str = "") -> "WasmBuilder":
# return new block for declaring extra locals
self.newLine(f"(func ${name} {sig}")
self.indent()
return self.newBlock()
def end(self):
self.unindent()
self.newLine(")")
def emit(self) -> str:
lines: List[str] = []
for l in self.lines:
if isinstance(l, str):
if " drop" in l and lines[-1] and " i32.const 0" in lines[-1]:
lines.pop()
continue
lines.append(l)
else:
lines.append(l.emit())
return "\n".join(lines)
def newBlock(self) -> "WasmBuilder":
child = WasmBuilder(self.name)
child.indentation = self.indentation
self.lines.append(child)
return child
class WasmBackend(CommonVisitor):
# (class name, attr name) -> class offset
attrOffsets: Dict[Tuple[str, str], int]
# (class name, method name) -> (class offset, table offset, inherited)
methodOffsets: Dict[Tuple[str, str], Tuple[int, int, bool]]
# class -> offset of start of vtable
vtables: Dict[str, List[Tuple[int, int]]]
undeclaredFuncs: Set[str]
localsBuilder: Optional[WasmBuilder] = None
def __init__(self, main: str, ts: TypeSystem):
self.builder = WasmBuilder(main)
self.main = main # name of main method
self.ts = ts
self.defaultToGlobals = False # treat all vars as global if this is true
self.localCounter = 0
self.attrOffsets = {}
self.methodOffsets = {}
self.vtables = {}
self.undeclaredFuncs = set()
def initializeOffsets(self):
tblOffset = 0
methodTableOffsets = dict()
# assign positions in the global method table
classes = [c for c in self.ts.classes if c !=
"<None>" and c != "<Empty>"]
for cls in classes:
for methName, _, defCls in self.ts.getOrderedMethods(cls):
if cls == defCls:
methodTableOffsets[(cls, methName)] = tblOffset
tblOffset += 1
# calculate info for each class
memOffset = 0
for cls in classes:
attrs = self.ts.getOrderedAttrs(cls)
for idx, attrInfo in enumerate(attrs):
self.attrOffsets[(cls, attrInfo[0])] = idx
methods = self.ts.getOrderedMethods(cls)
self.vtables[cls] = []
for idx, methInfo in enumerate(methods):
name, _, defCls = methInfo
# get offset in global table
t = methodTableOffsets[(defCls, name)]
self.methodOffsets[(cls, name)] = (idx, t, defCls != cls)
self.vtables[cls].append((memOffset + idx * 4, t))
memOffset += (len(methods) * 4)
def newLabelName(self) -> str:
self.counter += 1
return "label_" + str(self.counter)
def instr(self, instr: str):
self.builder.newLine(instr)
# set the value, consuming it from the stack
def setLocal(self, name: str):
self.instr(f"local.set ${name}")
# set the value and load it back onto the stack
def teeLocal(self, name: str):
self.instr(f"local.tee ${name}")
def getLocal(self, name: str):
self.instr(f"local.get ${name}")
def genLocalName(self, suffix: Optional[str] = None) -> str:
self.localCounter += 1
suffix = "" if suffix is None else ("_" + suffix)
return f"local{suffix}{self.localCounter}"
def newLocal(self, name: Optional[str] = None, t: str = "i32") -> str:
# add a new local decl, does not store anything
if name is None:
name = self.genLocalName()
assert self.localsBuilder is not None
self.localsBuilder.newLine(f"(local ${name} {t})")
return name
def visitStmtList(self, stmts: List[Stmt]):
if len(stmts) == 0:
self.instr("nop")
else:
for s in stmts:
self.visit(s)
def alloc(self, local: Optional[str] = None):
# consume i32 from top of stack, allocate that many bytes
self.instr("call $alloc")
if local is not None:
self.setLocal(local)
def nullthrow(self):
# throw if top of stack is 0, otherwise returns top of stack
self.instr("call $nullthrow")
def Program(self, node: Program):
self.initializeOffsets()
cls_decls = [d for d in node.declarations if isinstance(d, ClassDef)]
func_decls = [d for d in node.declarations if isinstance(d, FuncDef)]
var_decls = [d for d in node.declarations if isinstance(d, VarDef)]
self.builder.module()
self.instr('(import "imports" "logInt" (func $log_int (param i64)))')
self.instr('(import "imports" "logBool" (func $log_bool (param i32)))')
self.instr('(import "imports" "logString" (func $log_str (param i32)))')
self.instr(
'(import "imports" "assert" (func $assert (param i32) (param i32)))')
self.instr('(memory (import "js" "mem") 1)')
# initialize method table
self.instr(f"(table {len(self.methodOffsets)} funcref)")
funcNames = [(f"${k[0]}${k[1]}", v[1])
for k, v in self.methodOffsets.items() if not v[2]]
funcNames = sorted(funcNames, key=lambda x: x[1])
self.undeclaredFuncs = set([x[0] for x in funcNames])
funcNames = " ".join([x[0] for x in funcNames])
self.instr(f"(elem (i32.const 0) {funcNames})")
# calculate first index of unallocated memory after vtables
fst = sum([len(t) * 4 for _, t in self.vtables.items()])
fst = fst if fst % 8 == 0 else fst + 4
self.instr(f"(global $heap (mut i32) (i32.const {fst}))")
# initialize all globals to 0 for now, since we don't statically allocate strings or arrays
for v in var_decls:
self.instr(
f"(global ${v.var.identifier.name} (mut {v.var.getTypeX().getWasmName()}) ({v.var.getTypeX().getWasmName()}.const 0))")
for d in func_decls:
self.visit(d)
for c in cls_decls:
self.visit(c)
# add stubs for any undeclared functions (no-op __init__)
for func in sorted(self.undeclaredFuncs):
self.instr(f"(func {func} (param $self i32))")
module_builder = self.builder
self.builder = module_builder.newBlock()
self.localsBuilder = self.builder.func("main")
self.defaultToGlobals = True
self.initializeVtables()
# initialize globals
for v in var_decls:
self.visit(v.value)
self.instr(f"global.set ${v.getIdentifier().name}")
self.visitStmtList(node.statements)
self.defaultToGlobals = False
self.builder.end()
self.builder = module_builder
self.instr(self.stdlib())
self.instr("(start $main)")
self.builder.end()
def initializeVtables(self):
for _, t in self.vtables.items():
for memOffset, funcOffset in t:
self.instr(f"i32.const {memOffset}")
self.instr(f"i32.const {funcOffset}")
self.instr("i32.store")
def funcDefHelper(self, node: FuncDef, name: str):
self.returnType = node.getTypeX().returnType
ret = None if self.returnType.isNone() else self.returnType.getWasmName()
paramNames = [x.identifier.name for x in node.params]
self.localsBuilder = self.builder.func(
name, node.getTypeX().getWasmSignature(paramNames))
for d in node.declarations:
self.visit(d)
self.visitStmtList(node.statements)
# implicitly return None if possible
if ret is not None and not isinstance(node.statements[-1], ReturnStmt):
if self.returnType.getWasmName() == "i32" and not self.returnType.isSpecialType():
self.instr("i32.const 0")
else:
self.instr("unreachable")
self.builder.end()
def ClassDef(self, node: ClassDef):
self.currentClass = node.name.name
func_decls = [d for d in node.declarations if isinstance(d, FuncDef)]
for func in func_decls:
name = f"{node.name.name}${func.name.name}"
self.undeclaredFuncs.remove("$" + name)
self.funcDefHelper(func, name)
def FuncDef(self, node: FuncDef):
self.funcDefHelper(node, node.name.name)
def VarDef(self, node: VarDef):
varName = node.var.identifier.name
if node.isAttr:
raise Exception("this should be handled elsewhere")
elif node.var.varInstanceX().isNonlocal:
self.instr("i32.const 8")
self.instr("call $alloc")
addr = self.newLocal(varName)
self.teeLocal(addr)
self.visit(node.value)
self.instr(f"{node.value.inferredValueType().getWasmName()}.store")
else:
self.visit(node.value)
n = self.newLocal(varName, node.value.inferredValueType().getWasmName())
self.setLocal(n)
# # STATEMENTS
def setIdentifier(self, target: Identifier, val: str):
# val is the name of the local that the value is stored in
if self.defaultToGlobals or target.varInstanceX().isGlobal:
self.getLocal(val)
self.instr(f"global.set ${target.name}")
elif target.varInstanceX().isNonlocal:
self.getLocal(target.name)
self.getLocal(val)
self.instr(f"{target.inferredValueType().getWasmName()}.store")
else:
self.getLocal(val)
self.setLocal(target.name)
def processAssignmentTarget(self, target: Expr, val: str):
# val is the name of the local that the value is stored in
if isinstance(target, Identifier):
self.setIdentifier(target, val)
elif isinstance(target, IndexExpr):
self.visit(target.list)
iterable = self.newLocal(self.genLocalName("iterable"))
self.setLocal(iterable)
idx = self.validateIdx(iterable, target)
# 8 * idx + 4 + list addr
self.getLocal(idx)
self.instr("i32.const 8")
self.instr("i32.mul")
self.instr("i32.const 4")
self.instr("i32.add")
self.getLocal(iterable)
self.instr("i32.add")
self.getLocal(val)
self.instr(f"{target.inferredValueType().getWasmName()}.store")
elif isinstance(target, MemberExpr):
cls = cast(ClassValueType, target.object.inferredValueType()).className
attr = target.member.name
offset = self.attrOffsets[(cls, attr)]
self.visit(target.object)
self.instr(f"i32.const {offset * 8 + 4}")
self.instr("i32.add")
self.getLocal(val)
self.instr(f"{target.inferredValueType().getWasmName()}.store")
else:
raise Exception(
"Internal compiler error: unsupported assignment target")
def MemberExpr(self, node: MemberExpr):
cls = cast(ClassValueType, node.object.inferredValueType()).className
attr = node.member.name
offset = self.attrOffsets[(cls, attr)]
self.visit(node.object)
self.instr(f"i32.const {offset * 8 + 4}")
self.instr("i32.add")
self.instr(f"{node.inferredValueType().getWasmName()}.load")
def AssignStmt(self, node: AssignStmt):
self.visit(node.value)
val = self.newLocal(self.genLocalName(
"val"), node.value.inferredValueType().getWasmName())
self.setLocal(val)
targets = node.targets[::-1]
for t in targets:
self.processAssignmentTarget(t, val)
def IfStmt(self, node: IfStmt):
self.visit(node.condition)
self.builder._if()
self.builder._then()
self.visitStmtList(node.thenBody)
self.builder.end()
self.builder._else()
self.visitStmtList(node.elseBody)
self.builder.end()
self.builder.end()
def ExprStmt(self, node: ExprStmt):
self.visit(node.expr)
self.instr("drop")
def isListConcat(self, operator: str, leftType: ValueType, rightType: ValueType) -> bool:
return leftType.isListType() and rightType.isListType() and operator == "+"
def loadChar(self, string: str, idx: str):
self.getLocal(string)
self.getLocal(idx)
self.instr("call $get_char")
def strCompare(self):
self.instr("call $str_cmp")
def strConcat(self):
self.instr("call $str_concat")
def listConcat(self):
self.instr("call $list_concat")
def BinaryExpr(self, node: BinaryExpr):
operator = node.operator
leftType = node.left.inferredValueType()
rightType = node.right.inferredValueType()
shortCircuitOperators = {"and", "or"}
if operator not in shortCircuitOperators:
self.visit(node.left)
self.visit(node.right)
# concatenation and addition
if operator == "+":
if self.isListConcat(operator, leftType, rightType):
self.listConcat()
elif leftType == StrType():
self.strConcat()
elif leftType == IntType():
self.instr("i64.add")
else:
raise Exception(
"Internal compiler error: unexpected operand types for +")
# other arithmetic operators
elif operator == "-":
self.instr("i64.sub")
elif operator == "*":
self.instr("i64.mul")
elif operator == "//":
self.instr("i64.div_s")
elif operator == "%":
a = self.newLocal(None, IntType().getWasmName())
b = self.newLocal(None, IntType().getWasmName())
self.setLocal(b)
self.setLocal(a)
# emulate Python modulo with ((a rem b) + b) rem b)
self.getLocal(a)
self.getLocal(b)
self.instr("i64.rem_s")
self.getLocal(b)
self.instr("i64.add")
self.getLocal(b)
self.instr("i64.rem_s")
# relational operators
elif operator == "<":
self.instr("i64.lt_s")
elif operator == "<=":
self.instr("i64.gt_s")
self.instr("i32.eqz")
elif operator == ">":
self.instr("i64.gt_s")
elif operator == ">=":
self.instr("i64.lt_s")
self.instr("i32.eqz")
elif operator == "==":
if leftType == IntType():
self.instr("i64.eq")
elif leftType == StrType():
self.strCompare()
else:
self.instr("i32.eq")
elif operator == "!=":
if leftType == IntType():
self.instr("i64.ne")
elif leftType == StrType():
self.strCompare()
self.instr("i32.eqz")
else:
self.instr("i32.ne")
elif operator == "is":
# pointer comparisons
self.instr("i32.eq")
# logical operators
elif operator == "and":
c = lambda: self.visit(node.left)
t = lambda: self.visit(node.right)
e = lambda: self.instr("i32.const 0")
resultType = BoolType().getWasmName()
self.ternary(c, t, e, resultType)
elif operator == "or":
c = lambda: self.visit(node.left)
t = lambda: self.instr("i32.const 1")
e = lambda: self.visit(node.right)
resultType = BoolType().getWasmName()
self.ternary(c, t, e, resultType)
else:
raise Exception(
f"Internal compiler error: unexpected operator {operator}")
def UnaryExpr(self, node: UnaryExpr):
if node.operator == "-":
self.instr("i64.const 0")
self.visit(node.operand)
self.instr("i64.sub")
elif node.operator == "not":
self.visit(node.operand)
self.instr("i32.eqz")
def constructor(self, node: CallExpr):
cls = node.function.name
self.instr(f";; construct {cls}")
attrs = self.ts.getMappedAttrs(cls)
size = len(attrs) * 8 + 4
increase = size if size % 8 == 0 else size + 4
self.instr(f"i32.const {increase}")
addr = self.newLocal(self.genLocalName("addr"))
self.alloc(addr)
# store starting position of vtable
self.getLocal(addr)
self.instr(f"i32.const {self.vtables[cls][0][0]}")
self.instr("i32.store") # alignment: 32-bit
# initialize attrs
for name, t, v in self.ts.getOrderedAttrs(cls):
offset = self.attrOffsets[(cls, name)]
self.getLocal(addr)
self.instr(f"i32.const {offset * 8 + 4}")
self.instr("i32.add")
self.visit(v)
self.instr(f"{t.getWasmName()}.store")
# call __init__, should always be index 0
self.getLocal(addr) # self argument
self.instr(f"i32.const {self.vtables[cls][0][1]}")
self.instr("call_indirect (param i32)")
# return pointer to self
self.getLocal(addr)
def CallExpr(self, node: CallExpr):
name = node.function.name
if node.isConstructor:
self.constructor(node)
elif name == "print":
self.emit_print(node.args[0])
elif name == "len":
self.emit_len(node.args[0])
elif name == "input":
raise Exception("user input is unimplemented")
elif name == "__assert__":
self.emit_assert(node.args[0], node.location[0])
else:
for i in range(len(node.args)):
self.visitArg(cast(FuncType, node.function.inferredType), i, node.args[i])
self.instr(f"call ${name}")
if cast(FuncType, node.function.inferredType).returnType.isNone():
self.NoneLiteral(None) # push null for void return
def MethodCallExpr(self, node: MethodCallExpr):
funcType = cast(FuncType, node.method.inferredType)
className = cast(ClassValueType, node.method.object.inferredType).className
methodName = node.method.member.name
if methodName == "__init__" and className in {"int", "bool"}:
return
self.visit(node.method.object)
obj = self.newLocal(self.genLocalName("obj"))
self.setLocal(obj)
# args
self.getLocal(obj)
for i in range(len(node.args)):
self.visitArg(funcType, i + 1, node.args[i])
# load indirect index
self.getLocal(obj)
self.instr("i32.load") # load start of vtable
methOffset, _, _ = self.methodOffsets[(className, methodName)]
self.instr(f"i32.const {methOffset * 4}")
self.instr("i32.add")
self.instr("i32.load") # load table index of method
self.instr(f";; call method {methodName}")
self.instr(f"call_indirect {funcType.getWasmSignature()}")
if funcType.returnType.isNone():
self.NoneLiteral(None) # push null for void return
# helper for debugging pointers, unused normally
def debug(self):
temp = self.newLocal(self.genLocalName("idx"))
self.setLocal(temp)
self.getLocal(temp)
self.instr("i64.extend_i32_u")
self.instr("call $log_int")
self.getLocal(temp)
def WhileStmt(self, node: WhileStmt):
block = self.newLabelName()
loop = self.newLabelName()
self.builder.block(block)
self.builder.loop(loop)
self.visit(node.condition)
self.instr("i32.eqz")
self.instr(f"br_if ${block}")
for s in node.body:
self.visit(s)
self.instr(f"br ${loop}")
self.builder.end()
self.builder.end()
def ForStmt(self, node: ForStmt):
block = self.newLabelName()
loop = self.newLabelName()
iterable = self.newLocal(self.genLocalName("iterable"))
idx = self.newLocal(self.genLocalName("idx"))
length = self.newLocal(self.genLocalName("length"))
# this temporarily stores the current value
temp = self.newLocal(self.genLocalName(
"temp"), node.identifier.inferredValueType().getWasmName())
self.visit(node.iterable)
self.teeLocal(iterable)
self.nullthrow()
self.instr("i32.load")
self.setLocal(length)
# idx = 0
self.instr("i32.const 0")
self.setLocal(idx)
self.builder.block(block)
self.builder.loop(loop)
# exit loop if idx >= length
self.getLocal(idx)
self.getLocal(length)
self.instr("i32.lt_s")
self.instr("i32.eqz")
self.instr(f"br_if ${block}")
isList = node.iterable.inferredValueType().isListType()
contentsType = node.identifier.inferredValueType().getWasmName()
self.idxHelper(iterable, idx, isList, contentsType)
self.setLocal(temp)
self.setIdentifier(node.identifier, temp)
for s in node.body:
self.visit(s)
# idx += 1
self.getLocal(idx)
self.instr("i32.const 1")
self.instr("i32.add")
self.setLocal(idx)
self.instr(f"br ${loop}")
self.builder.end()
self.builder.end()
def buildReturn(self, value: Optional[Expr]):
if self.returnType.isNone():
self.instr("return")
else:
if value is None:
self.NoneLiteral(None)
else:
self.visit(value)
self.instr("return")
def ReturnStmt(self, node: ReturnStmt):
self.buildReturn(node.value)
def Identifier(self, node: Identifier):
if self.defaultToGlobals or node.varInstanceX().isGlobal:
self.instr(f"global.get ${node.name}")
elif node.varInstanceX().isNonlocal:
self.instr(f"local.get ${node.name}")
self.instr(f"{node.inferredValueType().getWasmName()}.load")
else:
self.instr(f"local.get ${node.name}")
def IfExpr(self, node: IfExpr):
c = lambda: self.visit(node.condition)
t = lambda: self.visit(node.thenExpr)
e = lambda: self.visit(node.elseExpr)
resultType = node.inferredValueType().getWasmName()
self.ternary(c, t, e, resultType)
def ternary(self, condFn: Callable, thenFn: Callable, elseFn: Callable, resultType: str):
n = self.newLocal(self.genLocalName("ifexpr_result"), resultType)
condFn()
self.builder._if()
self.builder._then()
thenFn()
self.setLocal(n)
self.builder.end()
self.builder._else()
elseFn()
self.setLocal(n)
self.builder.end()
self.builder.end()
self.getLocal(n)
def ListExpr(self, node: ListExpr):
length = len(node.elements)
t = node.inferredType
elementType = None
if isinstance(t, ClassValueType):
if node.emptyListType:
elementType = node.emptyListType
else:
elementType = ClassValueType("object")
else:
elementType = cast(ListValueType, t).elementType
# 8 bytes per element + 4 for the length, rounded up to nearest 8
increase = (length + 1) * 8
self.instr(f"i32.const {increase}")
addr = self.newLocal(self.genLocalName("addr"))
self.alloc(addr)
# store the length
self.getLocal(addr)
self.instr(f"i32.const {length}") # value
self.instr("i32.store") # alignment: 32-bit
# unlike strings, each item in the list gets 64 bits instead of 8
for i in range(length):
offset = i * 8 + 4
# addr: mem + 4 + idx * 8
self.getLocal(addr)
self.instr(f"i32.const {offset}")
self.instr("i32.add")
self.visit(node.elements[i])
self.instr(f"{elementType.getWasmName()}.store")
# load the address the list was stored at to the stack
self.getLocal(addr)
def validateIdx(self, iterable: str, node: IndexExpr):
idx = self.newLocal(self.genLocalName("idx"))
self.visit(node.index)
self.instr("i32.wrap_i64")
self.setLocal(idx)
self.getLocal(iterable)
self.getLocal(idx)
self.instr("call $check_bounds")
return idx
def idxHelper(self, iterable: str, idx: str, isList: bool, contentsType: str):
if isList:
# 8 * idx + 4 + list addr
self.getLocal(idx)
self.instr("i32.const 8")
self.instr("i32.mul")
self.instr("i32.const 4")
self.instr("i32.add")
self.getLocal(iterable)
self.instr("i32.add")
self.instr(f"{contentsType}.load")
else: # must be a string, need to alloc a new string
self.getLocal(iterable)
self.getLocal(idx)
self.instr("call $str_idx")
def IndexExpr(self, node: IndexExpr):
self.visit(node.list)
iterable = self.newLocal(self.genLocalName("iterable"))
self.setLocal(iterable)
idx = self.validateIdx(iterable, node)
self.idxHelper(iterable, idx, node.list.inferredValueType().isListType(),
node.inferredValueType().getWasmName())
# # LITERALS
def BooleanLiteral(self, node: BooleanLiteral):
if node.value:
self.instr("i32.const 1")
else:
self.instr("i32.const 0")
def IntegerLiteral(self, node: IntegerLiteral):
self.instr(f"i64.const {node.value}")
def NoneLiteral(self, node: Optional[NoneLiteral]):
self.instr("i32.const 0")
def StringLiteral(self, node: StringLiteral):
length = len(node.value)
memory = length + 4
# 1 byte per char + 4 for length, rounded to nearest 8
increase = 8 + (8 * (memory // 8))
self.instr(f"i32.const {increase}")
addr = self.newLocal(self.genLocalName("addr"))
self.alloc(addr)
# store the length
self.getLocal(addr)
self.instr(f"i32.const {length}") # value
self.instr("i32.store")
for i in range(length):
offset = i + 4
val = ord(node.value[i])
# addr: mem + 4 + idx
self.getLocal(addr)
self.instr(f"i32.const {offset}")
self.instr("i32.add")
self.instr(f"i32.const {val}")
self.instr("i32.store8")
# load the address the string was stored at to the stack
self.getLocal(addr)
def visitArg(self, funcType: FuncType, paramIdx: int, arg: Expr):
argIsRef = isinstance(arg, Identifier) and arg.varInstanceX().isNonlocal
paramIsRef = paramIdx in funcType.refParams
if argIsRef and paramIsRef and cast(Identifier, arg).varInstanceX() == funcType.refParams[paramIdx]:
# ref arg and ref param, pass ref arg
self.getLocal(cast(Identifier, arg).name)
elif paramIsRef:
# non-ref arg and ref param, or do not pass ref arg
# unwrap if necessary, re-wrap
self.instr("i32.const 8")
self.instr("call $alloc")
addr = self.newLocal(self.genLocalName("arg_" + str(paramIdx)))
self.teeLocal(addr)
self.visit(arg)
self.instr(f"{arg.inferredValueType().getWasmName()}.store")
self.getLocal(addr)
else: # non-ref param, maybe unwrap
self.visit(arg)
# BUILT-INS
def emit_assert(self, arg: Expr, line: int):
self.instr(f";; assert line {line}")
self.visit(arg)
self.instr(f"i32.const {line}")
self.instr("call $assert")
self.NoneLiteral(None)
def emit_print(self, arg: Expr):
if isinstance(arg.inferredType, ListValueType) or cast(ClassValueType, arg.inferredType).className not in {"bool", "int", "str"}:
raise Exception(
f"Built-in function print is unsupported for values of type {cast(ClassValueType, arg.inferredType).className}")
self.visit(arg)
self.instr(f"call $log_{cast(ClassValueType, arg.inferredType).className}")
self.NoneLiteral(None)
def emit_len(self, arg: Expr):
# the length of a string or array is always in the first 4 bytes
self.visit(arg)
self.instr("call $len")
self.instr("i64.extend_i32_u")
def stdlib(self) -> str:
return """
;; allocate and return addr of memory
;; based on https://github.com/ucsd-cse231-s22/chocopy-wasm-compiler-A/blob/2022/stdlib/memory.wat
(func $alloc (param $bytes i32) (result i32)
(local $addr i32)
global.get $heap
local.set $addr
local.get $bytes
global.get $heap
i32.add
global.set $heap
local.get $addr
)
;; copy $size bytes from $src to $dest
;; this just blindly copies memory and does not do any sort of validation/checks
(func $mem_cpy (param $src i32) (param $dest i32) (param $size i32)
(local $idx i32)
(local $temp i32)
i32.const 0
local.set $idx
(block $block
(loop $loop
local.get $idx
local.get $size
i32.lt_s
i32.eqz
br_if $block
;; read byte from $src + offset
local.get $idx
local.get $src
i32.add
i32.load8_u
local.set $temp
;; write byte to $dest + offset
local.get $idx
local.get $dest
i32.add
local.get $temp
i32.store8
;; increment offset
local.get $idx
i32.const 1
i32.add
local.set $idx
br $loop
)
)
)
;; return the length of a string or list as i32
(func $len (param $addr i32) (result i32)
local.get $addr
call $nullthrow
i32.load
)
;; throw if $addr is null, otherwise return $addr
(func $nullthrow (param $addr i32) (result i32)
local.get $addr
i32.eqz
;; throw if $addr == 0
(if
(then
unreachable
)
)
local.get $addr
)
;; check the bounds of a string or list access, throwing if illegal
(func $check_bounds (param $addr i32) (param $idx i32)
local.get $addr
call $len
local.get $idx
i32.gt_s
i32.eqz
;; throw if !($len > $idx)
(if
(then
unreachable
)
)
i32.const 0
local.get $idx
i32.gt_s
;; throw if 0 > $idx
(if
(then
unreachable
)
)
)
;; index a string, returning the character as an i32
(func $get_char (param $addr i32) (param $idx i32) (result i32)
local.get $addr
i32.const 4
i32.add
local.get $idx
i32.add
i32.load8_u
)
;; index a string, allocating a new string for the single character and returning the address
(func $str_idx (param $addr i32) (param $idx i32) (result i32)
(local $new i32)
i32.const 8
call $alloc
local.set $new
local.get $new
i32.const 1
i32.store
local.get $new
i32.const 4
i32.add
local.get $addr
local.get $idx
call $get_char
i32.store8
local.get $new
)
;; concatenate two strings, returning the address of the new string
(func $str_concat (param $s1 i32) (param $s2 i32) (result i32)
(local $len1 i32)
(local $len2 i32)
(local $addr i32)
;; allocate memory
local.get $s1
call $len
local.tee $len1
local.get $s2
call $len
local.tee $len2
i32.add
i32.const 4
i32.add
i32.const 8
i32.div_u
i32.const 8
i32.mul
i32.const 8
i32.add
call $alloc
local.tee $addr
;; store length
local.get $len1
local.get $len2
i32.add
i32.store
;; copy string 1
local.get $s1
i32.const 4
i32.add
local.get $addr
i32.const 4
i32.add
local.get $len1
call $mem_cpy
;; copy string 2
local.get $s2
i32.const 4
i32.add
local.get $addr
i32.const 4
i32.add
local.get $len1
i32.add
local.get $len2
call $mem_cpy
local.get $addr
)
;; compare two strings, returning true if the two strings have the same contents
(func $str_cmp (param $left i32) (param $right i32) (result i32)
(local $result i32)
(local $length i32)
(local $idx i32)
i32.const 1
local.set $result
local.get $left
i32.load
local.tee $length
;; compare $length with len of $right
local.get $right
i32.load