rust-by-practice/en/src/basic-types/char-bool-unit.md

1.5 KiB

Char, Bool and Unit

Char

  1. 🌟

// make it work
use std::mem::size_of_val;
fn main() {
    let c1 = 'a';
    assert_eq!(size_of_val(&c1),1); 

    let c2 = 'δΈ­';
    assert_eq!(size_of_val(&c2),3); 

    println!("Success!")
} 
  1. 🌟

// make it work
fn main() {
    let c1 = "δΈ­";
    print_char(c1);
} 

fn print_char(c : char) {
    println!("{}", c);
}

Bool

  1. 🌟

// make println! work
fn main() {
    let _f: bool = false;

    let t = true;
    if !t {
        println!("Success!")
    }
} 
  1. 🌟

// make it work
fn main() {
    let f = true;
    let t = true && false;
    assert_eq!(t, f);

    println!("Success!")
}

Unit type

  1. 🌟🌟

// make it work, don't modify `implicitly_ret_unit` !
fn main() {
    let _v: () = ();

    let v = (2, 3);
    assert_eq!(v, implicitly_ret_unit());

    println!("Success!")
}

fn implicitly_ret_unit() {
    println!("I will return a ()")
}

// don't use this one
fn explicitly_ret_unit() -> () {
    println!("I will return a ()")
}
  1. 🌟🌟 what's the size of the unit type?

// modify `4` in assert to make it work
use std::mem::size_of_val;
fn main() {
    let unit: () = ();
    assert!(size_of_val(&unit) == 4);

    println!("Success!")
}

You can find the solutions here(under the solutions path), but only use it when you need it