러스트 프로그래밍 튜토리얼 2장

cardia·2022년 4월 20일
1

rust의 공식 문서를 참조해 작성함https://doc.rust-lang.org/book/ch02-00-guessing-game-tutorial.html

2장 Chess Game Programming

~~Cargo new를 통해 새로운 프로젝트를 만들어 /src/main.rs에서 진행

use std::io;
fn main() {
    println!("Guess the number!");
    println!("Please input your guess.");
    let mut guess = String::new();
    io::stdin()
        .read_line(&mut guess)
        .expect("Failed to read line");
    println!("You guessed: {}", guess);
}

Importing library

use std::io;

첫째로 사용자의 입/출력을 받기 위해 library 하나를 가져와야 된다. 러스트에는 기본적으로 지원하는 라이브러리들이 있는데
그 라이브러리들을 prelude라고 부른다. 목록과 설명은 https://doc.rust-lang.org/std/prelude/index.html 에 나와 있다.
prelude를 제외한 다른 lib를 사용하고 싶을 땐 python의 import 처럼 가져오는 명령어를 사용해야 되는데
그것이 바로 use다. 위의 코드는 standard libary에 속해 있는 io(input/out) library를 가져오겠다는 뜻이다.

Storing Values with Variables

	let mut guess = String::new();

Rust에서는 let을 통해 변수와 값들을 저장하는데 기본적으로 let으로 선언된 변수들은 immutable 이다. 그래서 mutable한 변수를 설정해 주기 위해서 필요한 게 바로 mut이다.

	let mut bananas = 5; //mutable

우변을 살펴보면 String::new()를 볼 수 있다. 여기서 봐야 될 것은 new()라는 함수인데 이는 러스트에서 assoicated function이라 불린다. 하나의 타입과 연결된 함수이고 Type::function_name으로 선언되면 선언된 함수는 type에 관한 assoicated function이라고 rust에서 받아들인다.

아직 공부가 부족해 정확한 이해를 하지는 못했지만 추측으로는 하나의 type과 연결된 함수로 그 type에 관한 기능을 제공해준다라고 생각된다. 즉 위에 있는 String::new()를 보자면 String이라는 type에 있는 new()라는 function을 불러온다라고 생각하면 될 꺼 같다.

다시 돌아와서 let mut guess = String::new();를 보면 이 코드는 guess라는 변수에 새로운 String type의 빈 instance를 할당한다라고 볼 수 있다.

그렇지만 guess는 String이 아니라 정수 형태가 되어야 하는데 이는 guess 선언 후에 또다른 선언을 통해 바꿀 수 있다.

let guess: u32 = guess.trim().parse().expect("Please type a number!");

let guess: type 은 guess라는 변수의 type을 우리가 지정할 수 있게 해주는 선언이고 이에 따라 String type의 변수를 u32 정수로 재선언 할 수 있다(rust는 쉐도잉을 지원한다). 실제로 정수로 변환하는 함수는 .parse이다.

Receiving user inputs

  io::stdin()
        .read_line(&mut guess)
        .expect("Failed to read line");

io::stdin() 는 io 라이브러리에서 stdin 함수를 불러온다는 뜻이고 그 아래 read_line.expect는 stdin의 method 들이다. 여기서 특이한 점은 readline 함수가 값을 읽는 것 뿐만 아니라 io::Result라는 값도 반환한다는 점인데 일종의 enum이다. Ok와 Err로 구성되어 있고 반드시 expect나 match와 함께 사용해 반환 값을 다루어 주어야 한다. expect 는 io::Result가 Err 일 때 실행되며 출력문을 띄운다.

Generating random number

여기서는 Crate를 통해 난수를 생성하는데 그렇다면 crate이 뭘까?
Crates and Module에서 자세히 볼 수 있고 간략하게 말하자면 Cargo는 package 관리 도구 이고 Crate은 패키지나 라이브러리라고 할 수 있으며 그 Crate라는 트리 안에 들어 있는 leaf들을 module, root module을 crate이라고 할 수 있다. Crate는 Cargo.toml 안에 Dependencies 아래 선언되야 쓸 수 있으며 버전 또한 기술해야 한다.

[dependencies]
rand = "0.8.3"
use std::io;
use rand::Rng;
fn main() {
    println!("Guess the number!");
    let secret_number = rand::thread_rng().gen_range(1..101);
    println!("The secret number is: {}", secret_number);
    println!("Please input your guess.");
    let mut guess = String::new();
    io::stdin()
        .read_line(&mut guess)
        .expect("Failed to read line");
    println!("You guessed: {}", guess);
}

보면 use rand::Rng; 를 통해 rand 크레이트 안에 있는 Rng 메소드를 불러오는 것을 알 수 있다.

let secret_number = rand::thread_rng().gen_range(1..101);

범위가 1~100까지인 난수를 thread_rng 메소드를 통해 Secret number에 저장하고 있다.

use rand::Rng;
use std::cmp::Ordering;
use std::io;
fn main() {
    println!("Guess the number!");
    let secret_number = rand::thread_rng().gen_range(1..101);
    loop {
        println!("Please input your guess.");
        let mut guess = String::new();
        io::stdin()
            .read_line(&mut guess)
            .expect("Failed to read line");
        let guess: u32 = match guess.trim().parse() {
            Ok(num) => num,
            Err(_) => continue,
        };
        println!("You guessed: {}", guess);
        match guess.cmp(&secret_number) {
            Ordering::Less => println!("Too small!"),
            Ordering::Greater => println!("Too big!"),
            Ordering::Equal => {
                println!("You win!");
                break;
            }
        }
    }
}

Loop and Match

러스트에서 반복문은 loop을 통해서 구현할 수 있다. Match는 python에서의 switch 같은 느낌인데 여러 조건들을 비교해 코드를 실행시킬 수 있다.

match guess.cmp(&secret_number) {
            Ordering::Less => println!("Too small!"),
            Ordering::Greater => println!("Too big!"),
            Ordering::Equal => {
                println!("You win!");
                break;
            }
        }

위에 코드에서는 cmp와 Ordering을 통해 입력받은 값과 난수의 크기 비교를 하고 있는데 2,3,4 번째가 match의 arms이라고 불리며 => 앞에가 조건, 뒤에가 실행문이다.

1개의 댓글

comment-user-thumbnail
2024년 9월 15일

Jake had always been a fan of slot machines, but his experiences were mostly limited to casual visits to the local casino. One day, intrigued by the promise of online slots, he decided to dive into the world of virtual spinning reels. Starting with https://kingbillycasinopokies.com/ a small bankroll, Jake was captivated by the variety of themes and features each slot game offered. From classic fruit machines to high-tech video slots with elaborate bonus rounds, he immersed himself in the colorful and dynamic landscape of online slots.

답글 달기

관련 채용 정보