Enums in TypeScript

And I agree
So... why are we learning enums?
Rust enums are incredible
They are nothing like TypeScript's enums, and a reason why rust, for a static typed language, is so good.
So lets go over a basic set of examples
TypeScript
- Create an enum ColorwithRed,Blue, andGreenfields.
- Create a printColormethod that prints out "red" forRed, ...
Full Code
enum Color {
  Red,
  Green,
  Blue,
}
function printColor(color: Color) {
  switch (color) {
    case Color.Red:
      console.log("red");
      break;
    case Color.Green:
      console.log("green");
      break;
    case Color.Blue:
      console.log("blue");
      break;
  }
}
printColor(Color.Green);
Lets do the same thing in Rust
Exact same thing
- the syntax for an equivalent enum in rust is 100% identical to ts
- use matchto get near equivalent behavior ofswitch
i'll give you ~2 minutes, then i'll start
Complete Code
enum Color {
    Red,
    Green,
    Blue,
}
fn print_color(color: Color) {
    match color {
        Color::Red => println!("red"),
        Color::Green => println!("green"),
        Color::Blue => println!("blue"),
    }
}
fn main() {
    print_color(Color::Green);
}
ok...?
They seem the same...
Ok... lets extend our original example
Lets add Yellow
I'll give you a moment with TypeScript
(follow along pls and make you type out the full example)
Complete Code
enum Color {
  Red,
  Yellow,
  Green,
  Blue,
}
function printColor(color: Color) {
  switch (color) {
    case Color.Red:
      console.log("red");
      break;
    case Color.Green:
      console.log("green");
      break;
    case Color.Blue:
      console.log("blue");
      break;
  }
}
printColor(Color.Green);
Rust's turn
Upgrade the enum in rust.
Complete Code
enum Color {
    Red,
    Yellow,
    Green,
    Blue,
}
fn print_color(color: Color) {
    match color {
        Color::Red => println!("red"),
        Color::Yellow => println!("yellow"),
        Color::Green => println!("green"),
        Color::Blue => println!("blue"),
    }
}
fn main() {
    print_color(Color::Green);
}
Ok...
I still think enums suck.. I mean technically it was the match statement that
made rust so good, not the enum itself. 
Lets take enum's to another level
Lets create some helpers!
Lets create two methods
- is_green- return true for green
 
- is_green_parts- return true for blue and yellow
 
first, lets create this only in Rust. I'll give you a couple moments to try on your own. (you should always try to follow along, it will deeply help with your learnings!)
Next complete code
enum Color {
    Red,
    Yellow,
    Green,
    Blue,
}
impl Color {
    fn is_green_parts(&self) -> bool {
        match self {
            Color::Yellow => true,
            Color::Blue => true,
            _ => false,
        }
    }
    fn is_green(&self) -> bool {
        if let Color::Green = self {
            return true;
        }
        return false;
    }
}
fn print_color(color: Color) {
    match color {
        Color::Red => println!("red"),
        Color::Green => println!("green"),
        Color::Blue => println!("blue"),
        Color::Yellow => println!("yellow"),
    }
}
fn main() {
    print_color(Color::Red);
    Color::Green.is_green();
}
Ok... are you impressed yet?
well, you shouldn't be. this isn't awesome yet
One small argument
Most of what rust can do, javascript can do, but differently.
You could imagen that a javascript module exists for Color where the function
is_green and is_green_parts are defined and exported. But i would argue
that having to peruse through a module to know what operations are supported is
not nearly as nice as having them hang off the struct itself. And in this
case, the enum
import Color, { is_green } from "./colors";
// this is simply not as convenient as green.is_green();
const green = Color.Green;
if (is_green(green)) {
  console.log("i am green");
}
You may get offended...
First, lets start with typescript
- create a custom type called - Custom- it should have 2 fields, age: number, andname: string
 
- it should have 2 fields, 
- create a union type - Itemthat is- number | string | Custom
- create a method - appendto take in a list of- Items and push in the string- "Hello Fem!"
- create an - Items array (doesn't matter if its empty or not)
- pass it to - append
Complete Code
TypeScript
type Custom = {
  name: string;
  age: number;
};
type Item = number | Custom | string;
function append(items: Item[]) {
  items.push("hello fem");
}
const items: Item[] = [];
append(items);
console.log(items);
One more task
- create a list of numberand pass it toappend
How do you feel?
Do you feel you have been lied to?
The rust way
Lets do the same thing, but this time the rust way, and we will do it together.
Instructions (in case you forgot)
- create a custom struct called - Custom- it should have 2 fields, age: number, andname: string
 
- it should have 2 fields, 
- create a union type - Itemthat is- number | string | Custom
- create a method - appendto take in a list of- Items and push in the string- "Hello Fem!"
- create an - Items array (doesn't matter if its empty or not)
- pass it to - append
- create a - Vec<usize>
- try to pass it to - append
Rust
struct Custom {
    name: String,
    age: usize,
}
enum Item {
    Number(usize),
    Custom(Custom),
    String(String),
}
fn append(items: &mut Vec<Item>) {
    items.push(Item::Number(1));
}
fn main() {
    let mut items: Vec<Item> = vec![];
    append(&mut items);
    let mut just_numbers: Vec<usize> = vec![];
    append(&mut just_numbers); // errors
}
Pretty dang cool?
This means no more
if (typeof x === "number") {
    ...
}
or
if ("bar" in x) {
    ...
}
So no more "magic" checking for types, you get named types and this works very
well with non type discriminated unions (what we made). This is because the
discrimination exists at a language level, not a type: string level
its not all magic
Sometimes code can become a bit more verbose because of this, and that isn't as nice to write. But at the same time, it prevents easy errors where you forgot to handle cases.
Lets talk about Pattern Matching
Its incredible, and you can DO a lot. Check this out
struct Custom {
    name: String,
    age: usize,
}
enum Item {
    Number(usize),
    Custom(Custom),
    String(String),
}
fn main() {
    let foo = Item::Number(5);
    match &foo {
        Item::Number(num) => println!("i am a number: {}", num),
        Item::String(str) => println!("i am a string: {}", str),
        Item::Custom(custom) =>
            println!("name: {}, age: {}", custom.name, custom.age),
    }
    match &foo {
        Item::Custom(custom) =>
            println!("name: {}, age: {}", custom.name, custom.age),
        _ => {}
    }
    match &foo {
        Item::Custom(Custom {
            age,
            ..
        }) => println!("age: {}", age),
        _ => {}
    }
    match &foo {
        Item::Custom(custom) if custom.name == "Ricky" =>
            println!("Hi, Ricky"),
        Item::Custom(custom) if custom.age > 33 =>
            println!("N64 was the best console"),
        Item::Custom(custom) if custom.age < 30  =>
            println!("Xbox was the best console"),
        _ => {}
    }
}
There are SO many problems that can be solved by good pattern matching, its wild.
Questions?
Do you understand how pattern matching works?
if you have a question speak up!!!