tomo-koans/lesson-templates/lesson-11-enums.tm

38 lines
873 B
Plaintext
Raw Normal View History

2025-03-24 19:16:58 -07:00
# Enums
# Enums define a type with multiple possible variants:
enum Shape(Circle(radius: Num), Rectangle(width: Num, height: Num), Point):
# Use `when` to pattern match an enum:
func area(shape: Shape -> Num):
when shape is Circle(radius):
2025-03-24 23:25:54 -07:00
return Num.PI * radius^2
2025-03-24 19:16:58 -07:00
is Rectangle(width, height):
return width * height
is Point:
return 0
func main():
# You can create instances of an enum:
2025-03-24 23:25:54 -07:00
point := Shape.Point
2025-03-24 19:16:58 -07:00
# Single member enums display without the field names:
2025-03-24 23:25:54 -07:00
circle := Shape.Circle(radius=10)
>> circle
2025-03-24 19:16:58 -07:00
= Circle(10)
# Multi-member enums explicitly list their field names:
2025-03-24 23:25:54 -07:00
rect := Shape.Rectangle(width=4, height=5)
>> rect
2025-03-24 19:16:58 -07:00
= Rectangle(width=4, height=5)
2025-03-24 23:25:54 -07:00
>> point:area()
2025-03-24 19:16:58 -07:00
= ???
2025-03-24 23:25:54 -07:00
>> rect:area()
2025-03-24 19:16:58 -07:00
= ???
2025-03-24 23:25:54 -07:00
>> "My shape is $circle"
2025-03-24 19:16:58 -07:00
= ???