Skip to content

Commit 0691bac

Browse files
committed
updated exercise files for Rust
1 parent 18791b5 commit 0691bac

Some content is hidden

Large Commits have some content hidden by default. Use the searchbox below for content that may be hidden.

52 files changed

+334
-136
lines changed

rustlings/.gitignore

+1
Original file line numberDiff line numberDiff line change
@@ -1 +1,2 @@
11
*.swp
2+
target/

rustlings/README.md

+127-75
Large diffs are not rendered by default.

rustlings/error_handling/errors1.rs

+1
Original file line numberDiff line numberDiff line change
@@ -1,3 +1,4 @@
1+
// errors1.rs
12
// This function refuses to generate text to be printed on a nametag if
23
// you pass it an empty string. It'd be nicer if it explained what the problem
34
// was, instead of just sometimes returning `None`. The 2nd test currently

rustlings/error_handling/errors2.rs

+4-3
Original file line numberDiff line numberDiff line change
@@ -1,3 +1,4 @@
1+
// errors2.rs
12
// Say we're writing a game where you can buy items with tokens. All items cost
23
// 5 tokens, and whenever you purchase items there is a processing fee of 1
34
// token. A player of the game will type in how many items they want to buy,
@@ -65,7 +66,7 @@ mod tests {
6566
// One way to handle this is using a `match` statement on
6667
// `item_quantity.parse::<i32>()` where the cases are `Ok(something)` and
6768
// `Err(something)`. This pattern is very common in Rust, though, so there's
68-
// a `try!` macro that does pretty much what you would make that match statement
69+
// a `?` operator that does pretty much what you would make that match statement
6970
// do for you! Take a look at this section of the Error Handling chapter:
70-
// https://doc.rust-lang.org/stable/book/error-handling.html#the-try-macro
71-
// and give it a `try!`
71+
// https://doc.rust-lang.org/stable/book/second-edition/ch09-02-recoverable-errors-with-result.html#a-shortcut-for-propagating-errors-the--operator
72+
// and give it a try!

rustlings/error_handling/errors3.rs

+11-15
Original file line numberDiff line numberDiff line change
@@ -1,6 +1,7 @@
1+
// errors3.rs
12
// This is a program that is trying to use a completed version of the
23
// `total_cost` function from the previous exercise. It's not working though--
3-
// we can't call the `try!` macro in the `main()` function! Why not?
4+
// we can't use the `?` operator in the `main()` function! Why not?
45
// What should we do instead? Scroll for hints!
56

67
use std::num::ParseIntError;
@@ -9,7 +10,7 @@ fn main() {
910
let mut tokens = 100;
1011
let pretend_user_input = "8";
1112

12-
let cost = try!(total_cost(pretend_user_input));
13+
let cost = total_cost(pretend_user_input)?;
1314

1415
if cost > tokens {
1516
println!("You can't afford that many!");
@@ -22,7 +23,7 @@ fn main() {
2223
pub fn total_cost(item_quantity: &str) -> Result<i32, ParseIntError> {
2324
let processing_fee = 1;
2425
let cost_per_item = 5;
25-
let qty = try!(item_quantity.parse::<i32>());
26+
let qty = item_quantity.parse::<i32>()?;
2627

2728
Ok(qty * cost_per_item + processing_fee)
2829
}
@@ -44,23 +45,18 @@ pub fn total_cost(item_quantity: &str) -> Result<i32, ParseIntError> {
4445

4546

4647

47-
// Since the `try!` macro returns an `Err` early if the thing it's trying to
48-
// do fails, you can only use the `try!` macro in functions that have a
48+
// Since the `?` operator returns an `Err` early if the thing it's trying to
49+
// do fails, you can only use the `?` operator in functions that have a
4950
// `Result` as their return type.
5051

51-
// The error that you get if you run this code is:
52+
// Hence the error that you get if you run this code is:
5253

5354
// ```
54-
// error: mismatched types:
55-
// expected `()`,
56-
// found `std::result::Result<_, _>`
55+
// error[E0277]: the `?` operator can only be used in a function that returns `Result` (or another type that implements `std::ops::Try`)
5756
// ```
5857

59-
// which is saying that the expected return type of the `main` function is
60-
// the empty tuple, but we tried to return a `Result`-- and that's happening
61-
// in the implementation of `try!`. The `main` function never has a return type,
62-
// so we have to use another way of handling a `Result` within `main`.
58+
// So we have to use another way of handling a `Result` within `main`.
6359

6460
// Decide what we should do if `pretend_user_input` has a string value that does
65-
// not parse to an integer, and implement that instead of calling the `try!`
66-
// macro.
61+
// not parse to an integer, and implement that instead of using the `?`
62+
// operator.

rustlings/error_handling/errorsn.rs

+7-6
Original file line numberDiff line numberDiff line change
@@ -1,5 +1,6 @@
1+
// errorsn.rs
12
// This is a bigger error exercise than the previous ones!
2-
// You can do it!
3+
// You can do it! :)
34
//
45
// Edit the `read_and_validate` function so that it compiles and
56
// passes the tests... so many things could go wrong!
@@ -114,21 +115,21 @@ impl error::Error for CreationError {
114115

115116
// Next hint: There are three places in `read_and_validate` that we call a
116117
// function that returns a `Result` (that is, the functions might fail).
117-
// Wrap those calls in a `try!` macro call so that we return immediately from
118+
// Apply the `?` operator on those calls so that we return immediately from
118119
// `read_and_validate` if those function calls fail.
119120

120-
// Another hint: under the hood, the `try!` macro calls `From::from`
121+
// Another hint: under the hood, the `?` operator calls `From::from`
121122
// on the error value to convert it to a boxed trait object, a Box<error::Error>,
122123
// which is polymorphic-- that means that lots of different kinds of errors
123124
// can be returned from the same function because all errors act the same
124125
// since they all implement the `error::Error` trait.
125126
// Check out this section of the book:
126-
// https://doc.rust-lang.org/stable/book/error-handling.html#standard-library-traits-used-for-error-handling
127+
// https://doc.rust-lang.org/stable/book/second-edition/ch09-02-recoverable-errors-with-result.html#a-shortcut-for-propagating-errors-the--operator
127128

128-
// Another another hint: Note that because the `try!` macro returns
129+
// Another another hint: Note that because the `?` operator returns
129130
// the *unwrapped* value in the `Ok` case, if we want to return a `Result` from
130131
// `read_and_validate` for *its* success case, we'll have to rewrap a value
131-
// that we got from the return value of a `try!` call in an `Ok`-- this will
132+
// that we got from the return value of a `?`ed call in an `Ok`-- this will
132133
// look like `Ok(something)`.
133134

134135
// Another another another hint: `Result`s must be "used", that is, you'll

rustlings/error_handling/option1.rs

+1
Original file line numberDiff line numberDiff line change
@@ -1,3 +1,4 @@
1+
// option1.rs
12
// This example panics because the second time it calls `pop`, the `vec`
23
// is empty, so `pop` returns `None`, and `unwrap` panics if it's called
34
// on `None`. Handle this in a more graceful way than calling `unwrap`!

rustlings/error_handling/result1.rs

+1
Original file line numberDiff line numberDiff line change
@@ -1,3 +1,4 @@
1+
// result1.rs
12
// Make this test pass! Scroll down for hints :)
23

34
#[derive(PartialEq,Debug)]

rustlings/ex1.rs

+2-1
Original file line numberDiff line numberDiff line change
@@ -1,4 +1,5 @@
1-
// Make me compile!
1+
// ex1.rs
2+
// Make me compile! :)
23

34
fn main() {
45
println();

rustlings/ex2.rs

+1
Original file line numberDiff line numberDiff line change
@@ -1,3 +1,4 @@
1+
// ex2.rs
12
// Make me compile!
23

34
fn something() -> String {

rustlings/ex3.rs

+1
Original file line numberDiff line numberDiff line change
@@ -1,3 +1,4 @@
1+
// ex3.rs
12
// Make me compile!
23

34
struct Foo {

rustlings/ex4.rs

+1
Original file line numberDiff line numberDiff line change
@@ -1,3 +1,4 @@
1+
// ex4.rs
12
// Make me compile!
23

34
fn something() -> Result<i32, std::num::ParseIntError> {

rustlings/ex5.rs

+1
Original file line numberDiff line numberDiff line change
@@ -1,3 +1,4 @@
1+
// ex5.rs
12
// Make me compile!
23

34
enum Reaction<'a> {

rustlings/ex6.rs

+47
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,47 @@
1+
// ex6.rs
2+
// Make me compile! Scroll down for hints :)
3+
4+
fn main() {
5+
let robot_name = Some(String::from("Bors"));
6+
7+
match robot_name {
8+
Some(name) => println!("Found a name: {}", name),
9+
None => (),
10+
}
11+
12+
println!("robot_name is: {:?}", robot_name);
13+
}
14+
15+
16+
17+
18+
19+
20+
21+
22+
23+
24+
25+
26+
27+
28+
29+
30+
31+
32+
33+
34+
35+
36+
37+
38+
39+
40+
41+
42+
43+
44+
45+
// Hint: The following two statements are equivalent:
46+
// let x = &y;
47+
// let ref x = y;

rustlings/functions/functions1.rs

+1
Original file line numberDiff line numberDiff line change
@@ -1,3 +1,4 @@
1+
// functions1.rs
12
// Make me compile! Scroll down for hints :)
23

34
fn main() {

rustlings/functions/functions2.rs

+1
Original file line numberDiff line numberDiff line change
@@ -1,3 +1,4 @@
1+
// functions2.rs
12
// Make me compile! Scroll down for hints :)
23

34
fn main() {

rustlings/functions/functions3.rs

+1
Original file line numberDiff line numberDiff line change
@@ -1,3 +1,4 @@
1+
// functions3.rs
12
// Make me compile! Scroll down for hints :)
23

34
fn main() {

rustlings/functions/functions4.rs

+2-1
Original file line numberDiff line numberDiff line change
@@ -1,3 +1,4 @@
1+
// functions4.rs
12
// Make me compile! Scroll down for hints :)
23

34
// This store is having a sale where if the price is an even number, you get
@@ -38,6 +39,6 @@ fn is_even(num: i32) -> bool {
3839

3940

4041

41-
// The error message points to line 10 and says it expects a type after the
42+
// The error message points to line 12 and says it expects a type after the
4243
// `->`. This is where the function's return type should be-- take a look at
4344
// the `is_even` function for an example!

rustlings/functions/functions5.rs

+6-2
Original file line numberDiff line numberDiff line change
@@ -1,3 +1,4 @@
1+
// functions5.rs
12
// Make me compile! Scroll down for hints :)
23

34
fn main() {
@@ -39,5 +40,8 @@ fn square(num: i32) -> i32 {
3940

4041
// This is a really common error that can be fixed by removing one character.
4142
// It happens because Rust distinguishes between expressions and statements: expressions return
42-
// a value and statements don't. We want to return a value from the `square` function, but it
43-
// isn't returning one right now...
43+
// a value based on its operand, and statements simply return a () type which behaves just like `void` in C/C++ language.
44+
// We want to return a value of `i32` type from the `square` function, but it is returning a `()` type...
45+
// They are not the same. There are two solutions:
46+
// 1. Add a `return` ahead of `num * num;`
47+
// 2. remove `;`, make it to be `num * num`

rustlings/if/if1.rs

+2
Original file line numberDiff line numberDiff line change
@@ -1,3 +1,5 @@
1+
// if1.rs
2+
13
pub fn bigger(a: i32, b:i32) -> i32 {
24
// Complete this function to return the bigger number!
35
// Do not use:

rustlings/macros/macros1.rs

+1
Original file line numberDiff line numberDiff line change
@@ -1,3 +1,4 @@
1+
// macros1.rs
12
// Make me compile! Scroll down for hints :)
23

34
macro_rules! my_macro {

rustlings/macros/macros2.rs

+1
Original file line numberDiff line numberDiff line change
@@ -1,3 +1,4 @@
1+
// macros2.rs
12
// Make me compile! Scroll down for hints :)
23

34
fn main() {

rustlings/macros/macros3.rs

+1
Original file line numberDiff line numberDiff line change
@@ -1,3 +1,4 @@
1+
// macros3.rs
12
// Make me compile, without taking the macro out of the module! Scroll down for hints :)
23

34
mod macros {

rustlings/macros/macros4.rs

+1
Original file line numberDiff line numberDiff line change
@@ -1,3 +1,4 @@
1+
// macros4.rs
12
// Make me compile! Scroll down for hints :)
23

34
macro_rules! my_macro {

rustlings/modules/modules1.rs

+1
Original file line numberDiff line numberDiff line change
@@ -1,3 +1,4 @@
1+
// modules1.rs
12
// Make me compile! Scroll down for hints :)
23

34
mod sausage_factory {

rustlings/modules/modules2.rs

+1-3
Original file line numberDiff line numberDiff line change
@@ -1,3 +1,4 @@
1+
// modules2.rs
12
// Make me compile! Scroll down for hints :)
23

34
mod us_presidential_frontrunners {
@@ -42,6 +43,3 @@ fn main() {
4243
// its internal structure (the `democrats` and `republicans` modules and
4344
// associated constants). It's almost there except for one keyword missing for
4445
// each constant.
45-
// One more hint: I wish the compiler error, instead of saying "unresolved name
46-
// `us_presidential_frontrunners::democrat`", could say "constant
47-
// `us_presidential_frontrunners::democrat` is private"!

rustlings/move_semantics/move_semantics1.rs

+4-3
Original file line numberDiff line numberDiff line change
@@ -1,6 +1,7 @@
1+
// move_semantics1.rs
12
// Make me compile! Scroll down for hints :)
23

3-
pub fn main() {
4+
fn main() {
45
let vec0 = Vec::new();
56

67
let vec1 = fill_vec(vec0);
@@ -37,6 +38,6 @@ fn fill_vec(vec: Vec<i32>) -> Vec<i32> {
3738

3839

3940

40-
// So you've got the "cannot borrow immutable local variable `vec1` as mutable" error on line 10,
41-
// right? The fix for this is going to be adding one keyword, and the addition is NOT on line 10
41+
// So you've got the "cannot borrow immutable local variable `vec1` as mutable" error on line 11,
42+
// right? The fix for this is going to be adding one keyword, and the addition is NOT on line 11
4243
// where the error is.

rustlings/move_semantics/move_semantics2.rs

+5-4
Original file line numberDiff line numberDiff line change
@@ -1,6 +1,7 @@
1-
// Make me compile without changing line 9! Scroll down for hints :)
1+
// move_semantics2.rs
2+
// Make me compile without changing line 10! Scroll down for hints :)
23

3-
pub fn main() {
4+
fn main() {
45
let vec0 = Vec::new();
56

67
let mut vec1 = fill_vec(vec0);
@@ -38,8 +39,8 @@ fn fill_vec(vec: Vec<i32>) -> Vec<i32> {
3839

3940

4041
// So `vec0` is being *moved* into the function `fill_vec` when we call it on
41-
// line 6, which means it gets dropped at the end of `fill_vec`, which means we
42-
// can't use `vec0` again on line 9 (or anywhere else in `main` after the
42+
// line 7, which means it gets dropped at the end of `fill_vec`, which means we
43+
// can't use `vec0` again on line 10 (or anywhere else in `main` after the
4344
// `fill_vec` call for that matter). We could fix this in a few ways, try them
4445
// all!
4546
// 1. Make another, separate version of the data that's in `vec0` and pass that

rustlings/move_semantics/move_semantics3.rs

+2-1
Original file line numberDiff line numberDiff line change
@@ -1,8 +1,9 @@
1+
// move_semantics3.rs
12
// Make me compile without adding new lines-- just changing existing lines!
23
// (no lines with multiple semicolons necessary!)
34
// Scroll down for hints :)
45

5-
pub fn main() {
6+
fn main() {
67
let vec0 = Vec::new();
78

89
let mut vec1 = fill_vec(vec0);

rustlings/move_semantics/move_semantics4.rs

+2-1
Original file line numberDiff line numberDiff line change
@@ -1,8 +1,9 @@
1+
// move_semantics4.rs
12
// Refactor this code so that instead of having `vec0` and creating the vector
23
// in `fn main`, we instead create it within `fn fill_vec` and transfer the
34
// freshly created vector from fill_vec to its caller. Scroll for hints!
45

5-
pub fn main() {
6+
fn main() {
67
let vec0 = Vec::new();
78

89
let mut vec1 = fill_vec(vec0);

rustlings/primitive_types/primitive_types1.rs

+1
Original file line numberDiff line numberDiff line change
@@ -1,3 +1,4 @@
1+
// primitive_types1.rs
12
// Fill in the rest of the line that has code missing!
23
// No hints, there's no tricks, just get used to typing these :)
34

rustlings/primitive_types/primitive_types2.rs

+1
Original file line numberDiff line numberDiff line change
@@ -1,3 +1,4 @@
1+
// primitive_types2.rs
12
// Fill in the rest of the line that has code missing!
23
// No hints, there's no tricks, just get used to typing these :)
34

rustlings/primitive_types/primitive_types3.rs

+5-3
Original file line numberDiff line numberDiff line change
@@ -1,3 +1,4 @@
1+
// primitive_types3.rs
12
// Create an array with at least 100 elements in it where the ??? is.
23
// Scroll down for hints!
34

@@ -38,8 +39,9 @@ fn main() {
3839

3940

4041
// There's a shorthand to initialize Arrays with a certain size that does not
41-
// require you to type in 100 items (but you certainly can if you want!)
42-
// Check out the Primitive Types -> Arrays section of the book:
43-
// http://doc.rust-lang.org/stable/book/primitive-types.html#arrays
42+
// require you to type in 100 items (but you certainly can if you want!).
43+
// For example, you can do:
44+
// let array = ["Are we there yet?"; 10];
45+
4446
// Bonus: what are some other things you could have that would return true
4547
// for `a.len() >= 100`?

0 commit comments

Comments
 (0)