1 2 3 4 5 6 7 8 9 10 11 12 13 14 | fn main() { println!("数字を入力してください。"); let mut x = String::new(); std::io::stdin().read_line(&mut x).expect("Failed to read line"); x = x.trim_end().to_owned(); let x: i32 = x.parse::<i32>().unwrap(); if x > 100 { println!("{}は100より大きい", x); } else { println!("{}は100より小さい", x); } } |
最小値
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 | fn main() { let a = 10; let b = 15; let c = 9; let mut w: i32; if a <= b { if a <= c { w = a; } else { w = c; } } else { if b <= c { w = b; } else { w = c; } } println!("{}", w); } |
Rustにはstd::cmp::minという関数があるが、argmentは2つでないといけない
https://doc.rust-lang.org/std/cmp/fn.min.html
std::cmp::min(a, b, c);とは書けない。
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 | fn main() { let a = 10; let b = 15; let c = 9; let mut w: i32; if(a <= b && a <= c) { w = a; } else if (a <= b && a > c) { w = c; } else if (a > b && b <= c) { w = b; } else { w = c; } println!("{}", w); } |
計算量を少なくする方法
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 | fn main() { let a = 10; let b = 15; let c = 9; let mut w: i32; w = a; if(b < w) { w = b; } if (c < w) { w = c; } println!("{}", w); } |
大文字小文字
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 | fn main() { println!("一文字入力してください。"); let mut x = String::new(); std::io::stdin().read_line(&mut x).expect("Failed to read line"); x = x.trim_end().to_owned(); let char_vec: Vec<char> = x.chars().collect(); for y in char_vec { if y.is_uppercase() { println!("大文字です"); } else { println!("子文字です"); } } } |