rust의 공식 문서를 참조해 작성함 https://doc.rust-lang.org/book/ch03-01-variables-and-mutability.html
fn main() { let number = 6; if number % 4 == 0 { println!("number is divisible by 4"); } else if number % 3 == 0 { println!("number is divisible by 3"); } else if number { println!("number is divisible by 2");// //this will cause error b/c Rust는 not-Booleon 타입을 Boolean으로 바꿔주지 않기 때문이다. } else { println!("number is not divisible by 4, 3, or 2"); } }
if의 각 expressions 들은 arms
이라고도 불린다.
러스트는 loop
, while
, for
의 반복문을 지원한다.
fn main() { let mut count = 0; 'counting_up: loop { println!("count = {count}"); let mut remaining = 10; loop { println!("remaining = {remaining}"); if remaining == 9 { break; } if count == 2 { break 'counting_up; } remaining -= 1; } count += 1; } println!("End count = {count}"); }
Output
count = 0
remaining = 10
remaining = 9
count = 1
remaining = 10
remaining = 9
count = 2
remaining = 10
End count = 2
첫번째 break는 내부의 loop만 탈출하지만 레이블이 있는 두 번째 break는 counting up
loop을 탈출한다.
fn main() { let a = [10, 20, 30, 40, 50]; let mut index = 0; while index < 5 { println!("the value is: {}", a[index]); index += 1; } }
fn main() { let a = [10, 20, 30, 40, 50]; for element in a { println!("the value is: {element}"); } }
둘의 결과는 같게 나온다. 단지, 위의 while보다 for 문이 메모리 safety와 bug에서 좀 더 안전하다. 그 이유는 while문에 따라 arrray a의 범위를 넘어서 인덱싱을 할 수 있는데 for 문은 그럴 수 없기 때문이다 .
fn main() { for number in (1..4).rev() { println!("{number}!"); } println!("LIFTOFF!!!"); }
.rev()
를 통해 인덱싱을 반대로 할 수도 있다.