KEMBAR78
Rust Slides PDF | PDF | Data Type | Variable (Computer Science)
0% found this document useful (0 votes)
183 views148 pages

Rust Slides PDF

This document discusses common programming concepts in Rust, including variables, data types, and operators. It explains that in Rust, variables are immutable by default for safety, but their mutability can be changed. It describes scalar, compound, and numeric data types in Rust such as integers, floats, Booleans, characters, tuples, and arrays. It also covers topics like shadowing, where a new variable is declared with the same name as a previous one, and differences between mutability and shadowing.

Uploaded by

Alex heles
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as PDF, TXT or read online on Scribd
0% found this document useful (0 votes)
183 views148 pages

Rust Slides PDF

This document discusses common programming concepts in Rust, including variables, data types, and operators. It explains that in Rust, variables are immutable by default for safety, but their mutability can be changed. It describes scalar, compound, and numeric data types in Rust such as integers, floats, Booleans, characters, tuples, and arrays. It also covers topics like shadowing, where a new variable is declared with the same name as a previous one, and differences between mutability and shadowing.

Uploaded by

Alex heles
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as PDF, TXT or read online on Scribd
You are on page 1/ 148

Part 1 1.

1 Variables and Mutability


Common Programming Concepts

Variables
● Variables refer to memory locations in system that hold
a value for that variable. This value can be changed
during the execution of the program.

● Variables are only valid in the scope in which they are


declared.
Types of Variable
● Mutable Variables: ● In Rust, variables are immutable by default for
Variables whose value can be modified. safety. However we can change the mutability

● Immutable Variables: of variables.

Variables whose value cannot be modified.

Example:
Changing immutable variable
Result
fn main() {
This program will give a ● Compilation / Compile time Error:
let x = 5;
println!("The value of x is: compile time error When a program fails to compile.
{}", x); because we are trying to
x = 6;
change the value of an
println!("The value of x is:
{}", x); immutable variable.
}
Example:
Changing mutable variable Constants

fn main() { ● Constants are the values which are bound to a name and
let mut x = 5; Result: typically hold those values which we don’t want to
println!("The value of x is: The value of x is 5 change.
{}", x);
The value of x is 6 ● Constants are declared by using “const” keyword and the
x = 6;
type of the value must be annotated.
println!("The value of x is:
{}", x); Syntax:
}
const MAX_POINTS: u32 = 100_000;

● Constants can be declared in any scope, including the


● Rust’s naming convention for constants is to use all global scope, which makes them useful for values that
uppercase with underscores between words. many parts of the code need to know about.
● Constants are used as hardcoded values which you
want to use throughout your program.
Example:

Speed of light

pi(π)
Shadowing

● Shadowing is the declaration of a new variable with the


same name as the previous variable, and the new ● We can shadow a variable by using the same variable’s
variable shadows the previous variable. name and repeating the use of “let” keyword.
● A variable can be shadowed with a new type. E.g. String
can be shadowed as an integer.

Example: Shadowing Variable Difference between Shadowing and Mutability


Result:
fn main() {
The value of x is 12 ● The difference between mut and shadowing is that
let x = 5;
because we’re effectively creating a new variable when
let x = x + 1;
we use the let keyword again, we can change the type
let x = x * 2;
Note: Variable remains of the value but reuse the same name.
println!("The value of x
immutable.
is: {}", x);
}
Example:
Changing data type by
● We will get a compile-time error if we accidentally try to shadowing
reassign value to an immutable variable without using Note:
the let keyword.
let spaces = " "; This will change the data
let spaces = spaces.len(); type from string to
● In shadowing, we can change the type of the value but integer.
reuse the same name.

Example

let mut spaces = " "; Note:


1.2 Data Types
spaces = spaces.len(); By using ‘mut’ we are not
allowed to change the
data type of the variable.
Data types: Data types in RUST:
● Every value in Rust is of a certain data type. ● Scalar type
● Rust automatically infers primitive data type without A scalar type represents a single value. Rust has
explaining it explicitly. four primary scalar types.
● Rust is a statically typed language, which means that it
must knows the types of all variables at compile time. ○ Integer.
○ Floating-point.
○ Boolean.
○ Character.

Scalar Types
● Compound type 1) Integer Type:
Compound type can group multiple values into one
type. Rust has two primitive compound types. Length Signed Unsigned
8-bit i8 u8
○ Tuples. 16-bit i16 u16
○ Arrays. 32-bit i32 u32
64-bit i64 u64
arch isize usize
● In Rust each integer can be either signed or unsigned
and has an explicit size. ● Each signed variant can store numbers from -(2n - 1) to
● The isize and usize types depend on the kind of 2n - 1 - 1 inclusive.
computer your program is running on: 64 bits if you’re ● Unsigned variants can store numbers from 0 to 2n - 1.
on a 64-bit architecture and 32 bits if you’re on a 32-bit
architecture. let variable: u32 = 100;
● If we do not declare type of an integer then Rust will by
default take i32 for an integer.
Data type

You can write integer literals in any of the forms 2) Floating-Point Types:
given below ● Rust also has two primitive types for floating-point
Number literals Example numbers, which are numbers with decimal points.
Decimal 98_222 ● Rust’s floating-point types are f32 and f64, which are 32
bits and 64 bits in size, respectively.
Hex 0xff
Octal 0o77
Binary 0b1111_0000
Byte (u8 only) b’A’
3) Boolean Type:

● If we do not declare type of floating point then Rust will ● A Boolean type in Rust has two possible values: true
by default take f64 for that floating point type. and false.
● The f32 type is a single-precision float, and f64 has ● Booleans are one byte in size.
double precision.

let variable: f32 = 1.23;

4) Character Type:

● The Boolean type in Rust is specified using bool.


● Rust supports letters too.
● Rust’s char type is the language’s most primitive
let variable: bool = true; alphabetic type.
Numeric Operators:

● Characters are specified with single quotes, as opposed


to string literals, which use double quotes.
● Rust’s char type is four bytes in size and represents a
Unicode Scalar Value.

let c = ‘z’;

Compound Type
1) Tuple Type: ● We create a tuple by writing a comma-separated list of
values inside parentheses.
● A tuple is a general way of grouping together some
number of other values with a variety of types.
● Tuples have a fixed length, once declared, they cannot ● We can access a tuple element directly by using a
grow or shrink in size. period (.) followed by the index of the value we want to
● Contain heterogeneous data. access.
Syntax: Example Result:
declaration: let tup = (500, 6.4, 1);
The value of y is: 6.4
Or fn main() {
Let tup: ( i32 , f64 , u8) = (500 , 6.4 , 1) ; let tup = (500, 6.4, 1);
let (x, y, z) = tup;
Accessing a tuple element: let value1 = tup.0; println!("The value of y is: {}", y); Note:
} This way of assigning value
is called destructuring

2) Array Type: ● Writing an array's type is done with square brackets


containing the type of each element in the array
● Another way to have a collection of multiple values is followed by a semicolon and the number of elements
with an array. in the array.
● Contains homogenous data.
● You can access elements of an array using indexing in
● Every element of an array must have the same type not
square bracket.
like a Tuple.
Example
● An array isn’t flexible and not allowed to grow or shrink
in size.
fn main() { Result:
declaration: let array = [1, 2, 3, 4, 5];
let a = [1, 2, 3, 4, 5];
The value of element is: 4
Accessing an array element: let value1 = array[0]; let element = 3;
println!("The value of
element is: {}", a[element]);
}

FUNCTION
● “fn” keyword allows you to declare new functions.

1.3 FUNCTION ● Rust code uses snake case as the conventional style for
function and variable names.
● In snake case, all letters are lowercase and underscores
separate the words.
Example
Function Parameters

fn main() { Result:
● These are the special variables that are part of a
println!("Hello, world!"); Hello, world
function’s signature.
another_function(); Another function.
● When a function has parameters, you can provide it
} with concrete values for those parameters
Note: Rust doesn’t care
fn another_function() { where you define your
println!("Another function."); functions after or before the
main function
}

Example
Result:
● Technically, the concrete values are called arguments fn main() {
● But in casual conversation, you can use both i.e The value of x is: 5
another_function(5);
parameter or argument }
● While calling a function, function’s parameter value has fn another_function(x: i32) {
to be set. In function’s signature,
println!("The value of x is: {}",
x); you must declare the
type of each parameter.
}
Example Result:
The value of x is: 5 Statements and Expressions
fn main() {
The value of y is: 6
another_function(5, 6); ● Rust is an expression-based language
Note
} ● Function bodies are made up of series of statements
fn another_function(x: i32, y: ● The function’s parameters optionally ending in an expression.
i32) { don’t all need to be the
same type.
println!("The value of x is: ● Multiple parameters can
{}", x); be separated by commas.
println!("The value of y is:
{}", y); }

Creating a variable and assigning a value to it with the let


keyword is an statement.
● Statements are instructions that perform some action
fn main() {
and do not return a value.
let y = 6;
● Expressions evaluate to a resulting value.
}

The let y = 6 statement does not return a value

Note: Statement contains (;) at its end.


Example
Consider a simple math operation, such as 5 + 6, which is Result:
an expression that evaluates to the value 11. fn main() { The value of y is: 4
fn five() i32 { let x = 5;
5 let y = { Note: x+1 is an expression
} let x = 3; without semicolon. If you add
x+1 a semicolon to the end of an
}; expression, you turn it into
Expressions can be part of statements println!("The value of y is: an statement, which will then
Note: Expression does not contain (;) at its end. {}", y); not return a value.
}

FUNCTION WITH RETURN VALUE Example


Result:
● Functions can return values to the code that calls them. fn five() i32 { The value of x is: 5
We don’t name return values, but we do declare their 5
type after an arrow ( ). } Note: We can’t use
fn main() { semicolon(;) after 5
let x = five(); because it is an
println!("The value of x is: {}", expression.
x);
}
Comments

● Comment makes code easy to understand when some

1.4 Comments time extra explanation is warranted.


● Compiler will ignore to compile the comments in code
but people reading the source code may find it useful.

Examples: Comments
● Comments must start with two slashes and continue
until the end of the line. fn main() { fn main() {
● For comments that extend beyond a single line, you’ll // hello // hello, world
need to include // on each line. // hi }
// hey
}
Control Flow
● A control flow is the order in which the piece of
program is executed.

1.5 Control Flow


In control flow we have following expressions:

1. If expression
2. Else expression
3. Else if expression

If Expression:

● When if expression is not true then the program will be


● If expression allows to branch passed to further blocks of else if expressions or else
your code to any condition. expression.
● If the condition is true then the ● The curly brackets defining the program blocks are
program in if block will be called arms.
executed.
Example

Else Expression: fn main() {


let number = 3;
● Else expression gives the if number < 5 {
program an alternative block println!("condition was Result:
of code to execute when the true"); Condition was true
condition introduced in if } else {
block evaluates to false. println!("condition was
● Else expression comes at false");
last. }
}

Example
Note:
fn main() {
let number = 7; ● The condition introduced in if expression and else if
if number < 5 { expression should be bool type (true or false) .
println!("condition was true"); Result: Otherwise the program will not run.
} else {
Condition was false ● Rust will not automatically try to convert non-Boolean
println!("condition was
types to a Boolean.
false");
}
}
Example
Result: Else If Expression:
Compile time error occur ● Else if expression is used
fn main() {
let number = 3; to introduce multiple
if number { Note: Here Rust will give conditions.
println!("number was error because instead of ● This expression is always
something other than zero"); giving a bool condition situated between if
} we have placed an expression and else
} integer in condition. expression

Example
Note:
fn main() {
let number = 6; ● In the above example there are two true conditions but
if number % 4 == 0 {
println!("number is divisible by 4");
Rust print the block of first true condition.
} else if number % 3 == 0 { Result: ● Which means Rust only executes the block of first true
println!("number is divisible by 3"); condition.
} else if number % 2 == 0 {
Number is divisible by 4
println!("number is divisible by 2");
} else {
println!("number is not divisible by
4, 3, or 2");
}}
Example
Using if in let statement fn main() {
let condition = true;
let number = if condition {
● We can use if expression to store different values 5 // (no semicolon means Note:
depending upon the condition in variable using let expression) Value of 5 will be stored
statement , as mentioned in next example. } else { in the number variable.
6 // (no semicolon means
expression)
};
println!("The value of number is:
{}", number);
}

Example
Result: Loops:
fn main() {
Compile error will occur
let condition = true; Loops execute a block of code more than once.
let number = if condition {
Types of loops
5
} else { 1. loop
Note: Expression types
"six" 2. while
are mismatched in each
}; 3. for
arm, hence an error will
println!("The value of number
be occured.
is: {}", number);
}
Example
1. loop
Result:
● The loop keyword tells Rust to execute a block of code fn main() {
over and over again forever or until you explicitly tell it again!
loop {
to stop. again!
println!("again!");
● ‘break’ expression can be use to stop the loop and the again!
}
value is placed after the break expression that we want again!
}
in return. (and so on …..)

Example
fn main() { 2. While loop
let mut counter = 0;
● In this type of loop While
let result = loop {
the condition is true, the
counter += 1; Result:
loop runs. When the
if counter == 10 { Here 20 will be save in
condition ceases to be
break counter * 2; the result variable
true, the program calls
}
break, stopping the loop.
};
println!("The result is {}",
result); }
Example
3. For loop
fn main() {
let mut number = 3; Result: ● loops through a block of code a number of
while number != 0 { 3! times(iteration)
println!("{}!", number); 2!
number = number - 1; 1!
} LIFTOFF!!!
println!("LIFTOFF!!!");
}

Example

fn main() { Result: Note:


let a = [10, 20, 30, 40, 50]; the value is: 10
● iter() is used for iteration.
for element in a.iter() { the value is: 20
println!("the value is: {}", the value is: 30
element); the value is: 40
} the value is: 50
}
Example

fn main() { Note:
Result:
for number in (1..4).rev() {
3! ● (1..4) is for declaring range.
println!("{}!", number);
2! ● rev() is used for reverse order
}
1!
println!("LIFTOFF!!!");
LIFTOFF!!!
}

Section Break Part 2


Understanding Ownership
As a programming language

Section 2.1
C/C++ Haskell/Python

more control, less control,


less safety Rust

more control,
more safety
Ownership
No need for runtime more safety Memory safety

Data race freedom

● Ownership Concept
Memory and Allocation
● Concept of Stack
What you will
In Rust, data can be stored either in stack or heap memory.
● Ownership Rules
learn ... ● String Type
Memory
Types
● Memory Allocation
● Ownership and Functions
Stack Heap
Memory Memory
It stores values in the order it
Stack gets them and removes the
Both are parts of memory
values in the opposite order.
Stack and Heap to be used at runtime, but
they are structured in Referred to as
different ways.
Last In, First Out
(LIFO).

Stack: Think of a stack of plates Stack


When you add more plates, you ● Adding data is called pushing onto the stack,
put them on top of the pile, and
when you need a plate, you ● Removing data is called popping off the stack.
take one off the top.
● Stack memory is an organized memory.
Adding or removing plates from
the middle or bottom wouldn’t ● It is faster than the heap memory because of the way
work as well! it accesses the memory.

All data stored on the stack must have a known, fixed size
Stack Push and Pop Example: Stack: in action

Stack: How it works


Heap Data with a size that is
unknown at compile time or a
● When code calls a function, the values passed into the
function (including, potentially, pointers to data on the size that might change must
heap) and the function’s local variables get pushed The Heap is Less Organized be stored on the heap.
onto the stack.
● When the function is over, those values get popped off
the stack.
Heap: Allocation Heap
● When you put data on the heap, you ask for some Hello World!

amount of space from OS. PIAIC

The quick brown fox jumps over the lazy dog.


● The operating system finds an empty spot in the
heap that is big enough, marks it as being in use, and Rust The name of my country is Pakistan.
Example
returns a pointer, which is the address of that Stack Heap
location. (Organised) (Haphazard)

● Less organized

Heap: Restaurant as Example


Heap
● Requested from OS

● Slower

● Follow pointer

● large amount... take time to


manage data in the heap
Why pushing to the Because the operating
Why accessing data
stack is faster than in the heap is
Allocating space on the heap
system never has to search requires more work, because
allocating on the for a place to store new slower than on the you ask for some amount of
space to operating system
heap ? data; that location is always stack ? every time.
at the top of the stack.
OS has to follow a pointer
every time.

Ownership Ownership
● Some languages have garbage collection that
All programs have to manage the way constantly looks for no longer used memory
as the program runs.
they use a computer’s memory while
running. ● In other languages, the programmer must
explicitly allocate and free the memory.
Ownership Ownership
● Rust uses a third approach wherein memory is In simple words for understanding purpose……
managed through a system of ownership
● Ownership is managed with a set of rules that the
Ownership is the transfer of currently possessed
compiler checks at compile time.
entity to another party which causes the previous
● None of the ownership features slow down your
owner to no longer have access to the object that is
program while it’s running.
being transferred.

Ownership Ownership
● In Rust, there are very clear rules about which piece of fn main()
{// s is not valid here, it’s not yet declared
code owns a resource. let s = "hello";
// s is valid from this point forward
● In the simplest case, it’s the block of code that created
// do stuff with s
the object representing the resource. println!("{}", s);
}// this scope is now over, and s is no longer valid
● At the end of the block the object is destroyed and the
In the above example the letter or variable “s” is the owner of the word
resource is released. “hello” and is valid from the point of declaration after the start of the
parenthesis “{“ and remains valid until the end of the parenthesis “}”.
Why Ownership Why Ownership
● Keeping track of what parts of code are using what
● Ownership is Rust’s most unique feature,
data on the heap, minimizing the amount of
and it enables Rust to make memory duplicate data on the heap, and cleaning up
safety guarantees without needing a unused data on the heap so you don’t run out of

garbage collector. space are all problems that ownership addresses.

Why Ownership
All primitive data types (integers, booleans, string

literals) and pointers (address of heap data) are


Ownership Rules
stored on stack whereas for more complicated

data types we have heap.


Rule # 1 Example
Each value in Rust Each value in Rust has a variable that’s called its
owner.
Rule # 1 has a variable that’s let a = “Hello world!”;
called its Owner.
Variable Value
In the above example the variable i.e. “a” is also the
owner of the value “Hello world!”.

Rule # 2 Example
Each value in Rust has a variable that’s called its
There can only be owner.
Rule # 2 let a = String::from(“Hello”); –> here variable “a” is the owner
one owner at a time.
let b = a; –> here the value of “a” is moved to
variable “b” which now becomes the owner of “Hello”
Considering both variables “a” and “b” are within the
same scope.
Rule # 3 Example
When the owner When the owner goes out of scope, so does the value.
fn main() {
Rule # 3 goes out of scope, so { –> “a” is not valid here, it’s not yet declared
let a = “Hello"; –> “a” is valid from this point forward
does the value. –> do stuff with “a”
} –> this scope is now over and “a” is no longer valid
}

A scope is the range within a Variable Scope


program for which an item is
fn main()
valid.
Variable Scope When variable comes into
{// s is not valid here, it’s not yet declared

let s = "hello";
scope, it is valid. It remains // s is valid from this point forward
// do stuff with s
valid until it goes out of scope. println!("{}", s);
}// this scope is now over, and s is no longer valid
Variable Scope
Rust has a second string type,
● The variable “s” refers to a string literal, where the value of the string is String.
hardcoded into the text of our program. The variable is valid from the point
at which it’s declared until the end of the current scope. The String Type This type is allocated on the
heap and is able to store an
● When “s” comes into scope, it is valid.
amount of text that is unknown
● It remains valid until it goes out of scope to us at compile time.

The String Type The String Type


You can create a String from a string literal using the
This kind of string can be mutated:
from function, like:
let mut s = String::from("hello");
let s = String::from("hello");
s.push_str(", world!"); // appends a literal to a String
The double colon (::) is an operator that allows us to println!("{}", s); // This will print `hello, world!`
namespace this particular from function under the
The difference between String Literal and String type
String type rather than using some sort of name like
string_from. is how these two types deal with memory.
The memory must be requested
from the OS* at runtime.
String: Memory and Allocation
String: Memory Rust automatically calls drop
1 2 3
and Allocation
function to return memory
when variable goes out of
Call It requests the Drop returns
scope. String::from memory it memory
*OS = Operating System needs automatically

Ways Variables Move This is binding the value 5 to


x; then make a copy of the
And fn main() {
value in x and binding it to y.”

Data Interact: let x = 5;


let y = x;
We now have two variables, x
and y, and both equal 5 and
} valid.
A String consists of three parts,
Move Move shown on the left:

a pointer to the memory on the heap,


fn main() {
a length, and a capacity.
let s1 = String::from("hello");
let s2 = s1; These are stored on the stack.
}
On the right is the memory on the
heap that holds the contents.
Looks familiar ? But not quite …
Fig: Representation in memory
In this value of s1 is moved to s2

Move When we assign s1 to s2, the Move Operation


String data on stack is copied s2 = s1 could be very expensive
i.e. the pointer, the length, and in terms of runtime
the capacity performance if the data on the
Data on the heap is not copied heap were large.

Fig: Representation in memory Fig: Representation in memory


Move
● Drop function is called when a variable goes out of
Move Instead of trying to copy the
allocated memory, Rust
scope
considers s1 to no longer be
● This is a problem: when s2 and s1 go out of scope, they valid and, therefore, Rust
will both try to free the same memory. doesn’t need to free anything
● This is known as a double free error. when s1 goes out of scope.
● Freeing memory twice can lead to memory corruption.
Fig: Representation in memory

Move You’ll get an error Move


because Rust prevents
error[E0382]: use of moved value: `s1`
you from using the --> src/main.rs:5:28
invalidated reference |
3 | let s2 = s1;
| -- value moved here
4 |
fn main() { 5 | println!("{}, world!", s1);
let s1 = String::from("hello"); | ^^ value used here after move
|
let s2 = s1; = note: move occurs because `s1` has type
println!("{}, world!", s1); `std::string::String`, which does
} not implement the `Copy` trait
fn main() {
Move This differs from shallow copy
as Rust also invalidates the first
Clone let s1 = String::from("hello");
let s2 = s1.clone();
variable, instead it’s known as a println!("s1 = {}, s2 = {}", s1, s2);
move. }

In this example, we would say ● If we do want to deeply copy the heap data of the
that s1 was moved into s2. String, not just the stack data, we can use a
common method called clone.
Fig: Representation in memory ● This works just fine and explicitly produces the
behavior, the heap data does get copied.

So what types are Copy?

Stack Only ● We don’t have a call to clone, but x is still valid


and wasn’t moved into y.
● All integer

Data: Copy ● Reason such types like integers


● Boolean

● have known size at compile time Stack Only Data: ● All floating point
● are stored entirely on the stack, so copies are
Copy ● Character
quick to make.
fn main() ● Tuples, if they contain types that are
{ also Copy. i.e
let x = 5;
■ (i32, i32) is Copy,
let y = x;
println!("x = {}, y = {}", x, y);} ■ (i32, String) is not.
Ownership & Function

Ownership & ● The concept of ownership in a function is as same


as the assigning a value to a variable.
Function
● Assigning a value to a function will take it
ownership and you would not be able to reuse it

Ownership & Function Ownership & Function


fn main() { “s” value
let s = String::from("hello"); “s” comes into moves
scope into
takes_ownership(s);
fn main() { the function
let x = 5; let s = String::from("hello"); “takes_ownership()”
makes_copy(x); takes_ownership(s); ...and so is no
“x” comes into
} let x = 5; “x” would movelonger valid
into the after
fn takes_ownership(some_string: String) { scope
makes_copy(x); function this
println!("{}", some_string); Here, x goes out of scope, then s. But because
} makes_copy()
}
fn makes_copy(some_integer: i32) {
s's value was moved, nothing special
but i32 is “Copy”, happens.
so can be
println!("{}", some_integer); used afterwards
}
Ownership & Function
Returning values and scope
“some_string” comes into scope
● Returning a value in a function also transfer the
fn takes_ownership(some_string: String)
Drop is called and {
println!("{}", some_string);
“some_string” goescomes
some_integer out ofinto ownership
} scope.
scope ● Whenever a function return a value the ownership is also
fn makes_copy(some_integer: i32) {
“some_integer” goes out of
println!("{}", some_integer); returned.
} scope. Nothing special
happens.

Returning values and scope Return Values and Scope


fn main() {
fn main() { gives_ownership moves
let s1 = gives_ownership();
let s1 = gives_ownership(); its return value into s1
let s2 = String::from("hello");
let s3 = takes_and_gives_back(s2);
}
let s2 = String::from("hello"); s2 comes into scope
fn gives_ownership() -> String {
let s3 = takes_and_gives_back(s2);
let some_string = String::from("hello");
some_string s2 of
is scope
movedand
intoistakes_and_gives_back,
}
} Here, s3 goes out dropped. s2 goes out
which also moves
of scope but was moved, so nothing its happens.
return value
s1 into
goess3
fn takes_and_gives_back(a_string: String) -> String {
a_string out of scope and is dropped.
}
Return Values and Scope Return Values and Scope
takes_and_gives_back will take
fn gives_ownership() -> String { gives_ownership will a String and return one
move its return value into fn takes_and_gives_back(a_string: String) -> String {
let some_string = String::from("hello");
the function that calls it
a_string comeisinto
a_string scopeand moves
returned
some_string some_string comesisinto
some_string scopeand moves
returned a_string
out to the calling function
}
out to the calling function
Here, some_string goes out of scope Here, a_string goes out of scope but
}
but was moved, so nothing happens. was moved, so nothing happens.

Return Multiple Values

Section 2.2
fn main() s1
{ is moved into calculate_length, which
let s1 =also moves its return value into tuple (s2,len)
String::from("hello");
let (s2, len) = calculate_length(s1);
println!("The length of'{}'is{}.",s2,len);
}

Borrowing and
fn calculate_length(s: String)->(String,usize)
{ let length = s.len();
(s, length) (s, length) is returned and moves
} len() returns
out tothe
thelength offunction
calling a String
Referencing
● Borrowing
● References
What you will learn ●

Mutable References
Data Race What is Borrowing?
● Rules of References
● Dangling Reference

Borrowing
We call having references as function parameters
borrowing. As in real life, if a person owns
What is Referencing?
something, you can borrow it from them. When
you’re done, you have to give it back.
Referencing Referencing
● Reference is the act of consulting someone or
something in order to get information ‘&’ symbol is used to pass the
● In terms of Rust programing we can define reference reference
as if we are taking a copy of it without damaging or
taking its ownership

Referencing
Referencing fn main() {

Let’s have a look how ‘&’ symbol is


let s1 = String::from("hello");

let len = calculate_length(&s1);


used in code. println!("The length of {} is {}.", s1, len);

fn calculate_length(s: &String) -> usize {

s.len()}
Mutable References
● The concept of mutable reference is same
as we use mutable variable
Mutable References
● Mutable reference is used when we have to
modify the value we make reference to

fn main() {
Mutable References let s = String::from("hello");

● There should be “mut” keyword with the change(&s);}


reference as well as the variable or type we change(some_string: &String) {
are making reference. some_string.push_str(", world");
}

If we try to run this code, we will get an error because


references are immutable by default in Rust.
We can fix that error by adding ‘mut’ keyword Restriction!
fn main() {
let mut s = String::from("hello");
But Mutable References have one big restriction
change(&mut s); }

fn change(some_string: &mut String) {


You can have only one mutable reference to a particular
some_string.push_str(", world"); piece of data in a particular scope.
}

For Example:
Restriction Benefit
let mut s = String::from("hello");

Duplicate
let r1 = &mut s; The benefit of having this restriction is that Rust can prevent
let r2 = &mut s;
Data Race at compile time.

println!("{}, {}", r1, r2);

This is not allowed.


Occurs when, Data Race
● Two or more pointers access the same fn main() {
data at the same time. let mut s = String::from("hello");
Data Race ● At least one of the pointers is being
{
let r1 = &mut s;
used to write to the data.
} r1 goes out of scope here, so we can make a
● There’s no mechanism being used to
new reference with no problems.
synchronize access to the data.
let r2 = &mut s;
}

Data Race Data Race


error[E0502]: cannot borrow `s` as mutable because it is
fn main() { also borrowed as immutable
let mut s = String::from("hello"); --> src/main.rs:6:14
|
4 | let r1 = &s;
let r1 = &s; no problem | -- immutable borrow occurs here
let r2 = &s; no problem 5 | let r2 = &s;
let r3 = &mut s; 6 | let r3 = &mut s;
BIG PROBLEM | ^^^^^^ mutable borrow occurs here
7 |
println!("{}, {}, and {}", r1, r2, r3); 8 | println!("{}, {}, and {}", r1, r2, r3);
} | -- immutable borrow later used here
Data Race
Dangling
Data races cause undefined behavior and can be difficult to Dangling pointer that references a location
in memory that may have been given to
diagnose and fix when you’re trying to track them down at
References
someone else

runtime; Rust prevents this problem from happening


In Rust the compiler will ensure that the
because it won’t even compile code with data races! data will not go out of scope before the
reference to the data does.

Dangling References Dangling References


error[E0106]: missing lifetime specifier
fn main() { --> main.rs:5:16
let reference_to_nothing = dangle(); |
} 5 | fn dangle() -> &String {
| ^ expected lifetime parameter
|
fn dangle() -> &String { = help: this function's return type contains a
let s = String::from("hello"); borrowed value, but there is
no value for it to be borrowed from
&s = help: consider giving it a 'static lifetime
}
Dangling References Dangling References
dangle returns a reference to a String
fn dangle() -> &String { fn dangle() -> String {

let s = String::from("hello"); s is a new String let s = String::from("hello");

&s we return a reference to the String, s s


} }
Here, s goes out of scope, and is dropped. Its
memory goes away. Danger!

● There can either be one Summary


mutable reference or any
Rules of number of immutable ● Ownership and borrowing ensure memory safety at

References
references. compile time.

● References must always be ● Control over your memory usage in the same way as
other systems programming languages
valid.
Summary

● Automatically clean up that data when the owner goes


out of scope.
Section Break
● No extra code to get this control.

Contents:

• To be able to describe STRUCT in Rust Language

Part 3
• To be able to read and write syntax
• To be able to define STRUCTS and manipulate in Rust
• Methods syntax and its application
Structs for Structure Related • To be able to describe the concept of TRAITS in Rust
Data • To be able to implement TRAITS in Rust Language

188
Introduction to Struct Defining Struct
• A struct, or structure, is a custom data type that lets you name and
package together multiple related values that make up a meaningful • Structs are similar to tuples.
group.
• Like tuples, the pieces of a struct can be different types.
• Under the light of OOP concept , a struct is like an object’s data
attributes. • Thing which distinguish struct from tuple is that, we can
name each piece of data so it’s clear what the values mean.
•  Structs are the building blocks for creating new types in your
program’s domain to take full advantage of Rust’s compile time type
checking.

Defining Struct
struct User {
 keyword Name: should
structs are more flexible than tuples:
username: String, describe the
significance of the
email: String, pieces of data being
you don’t have to rely on the order of the data to specify
Fields: define grouped together
the names and
types of the
or access the values of an instance
pieces of data sign_in_count:u64,

active: bool,

}
192
Instantiating Struct
let user1 = User {
• We create an To get a specific value from the struct,
instance by stating
  Instance: 
struct by specifying
email:
the name of the we can use dot notation.
concrete values for String::from("someone@example.co
struct and then add
each of the fields. m"),
curly brackets
containing key: user1.email = String::from("anotheremail@example.com");
username:
value pairs, where
String::from("someusername123"),
the keys are the
names of the fields
active: true,
and the values are
the data we want to
sign_in_count: 1,
store in those fields.
};

Field Init Shorthand Field Init Shorthand


fn build_user(email: String, username: String) -> User {
For variable with the same name as struct field,
you can use “field init shorthand” User { field init shorthand

email: email, fn build_user(email: String, username:


struct User { username: username, String) -> User {
active: true,
Consider the username: String, User {
sign_in_count: 1,
same User Struct email: String, email,
sign_in_count:u64, } username,
active: bool, active: true,
} sign_in_count: 1,
} }

}
Creating Instances From Other Instances With Struct
Update Syntax
It’s often useful to create a new instance of a struct that uses most of an old instance’s values but changes some. Tuple Structs without Named Fields to Create
#
#
struct User {
username: String,
#
#
struct User {
username: String,
Different Types
# email: String, # email: String,
# sign_in_count: u64, # sign_in_count: u64,
# active: bool, # active: bool,
Tuple structs have the added meaning the struct name provides but don’t have names associated
# } # } with their fields; rather, they just have the types of the fields.

let user1 = User { let user1 = User { struct Color(i32, i32, i32);
# email: # email: struct Point(i32, i32, i32);
String::from("someone@example.com"), String::from("someone@example.com"),
# username: # username:
String::from("someusername123"), String::from("someusername123"),
# active: true, # active: true, let black = Color(0, 0, 0);
# sign_in_count: 1, # sign_in_count: 1,
# }; # };
let origin = Point(0, 0, 0);
let user2 = User { let user2 = User {
email: email:
Note: the ”black” and ”origin” values are different types, because they’re instances of different tuple
String::from("another@example.com"), String::from("another@example.com"), structs. Each struct we define is its own type, even though the fields within the struct have the same types.
username: username:
String::from("anotherusername567"), String::from("anotherusername567"),
For example, a function that takes a parameter of type Color cannot take a Point as an argument, even
active: user1.active, ..user1,
sign_in_count: user1.sign_in_count, }; though both types are made up of three i32 values. Otherwise, tuple struct instances behave like tuples.
};

Ownership of Struct Data Let’s say you try to store a reference in the struct without specifying lifetimes, like this, it
won’t work:
● In the User struct definition, we used the owned String type rather than
The compiler will complain that it needs lifetime
the &str string slice type. specifiers:
● This is a deliberate choice because we want instances of this struct to own
all of its data and for that data to be valid for as long as the entire struct is
valid.
● It’s possible for structs to store references to data owned by something
else, but to do so requires the use of lifetimes.
Let’s write a program that calculates the area of a
rectangle.
1) We’ll start with single variables, and then refactor the program until we’re using structs
instead.

An Example Program Using Structs 2) Those structs will take the width and height of a rectangle specified in pixels and
calculate the area of the rectangle.
3) Listing 5-8 shows a short program with one way of doing exactly that in our project’s
src/main.rs.

The issue with this code is evident in the signature of area :

• The area function is supposed to calculate the area of one rectangle, but the
function we wrote has two parameters.
• The parameters are related, but that’s not expressed anywhere in our program.
Listing 5-8: Calculating the area of a rectangle specified by separate width and height variables
• It would be more readable and more manageable to group width and height
together.
Refactoring with Tuples Refactoring with Structs: Adding More Meaning
1) In one way, this program is better. Tuples let us add a bit of structure, 1) We use structs to add meaning by labeling the data. We can transform
and we’re now passing just one argument. the tuple we’re using into a data type with a name for the whole as
well as names for the parts, as shown in Listing 5-10.
2) Tuples don’t name their elements, so our calculation has become more
confusing because we have to index into the parts of the tuple. 2) Our area function is now defined with one parameter, which we’ve
named rectangle , whose type is an immutable borrow of a struct
3) It doesn’t matter if we mix up width and height for the area calculation, Rectangle instance.
but if we want to draw the rectangle on the screen, it would matter! We
would have to keep in mind that width is the tuple index 0 and 3) We want to borrow the struct rather than take ownership of it.
height is the tuple index 1.

Defining a Rectangle struct Adding Useful Functionality with Derived Traits


4) This way, main retains its ownership and can continue using rect1 , 1) It’d be nice to be able to print an instance of Rectangle while we’re
which is the reason we use the & in the function signature and where debugging our program and see the values for all its fields. Listing 5-11
tries using the println! macro as we have used in previous chapters. This
we call the function.
won’t work, however.
5) The area function accesses the width and height fields of the Rectangle
instance.
6) This conveys that the width and height are related to each other, and it
gives descriptive names to the values rather than using the tuple index
values of 0 and 1 .
7) This is a win for clarity.
If we continue reading the errors, we’ll find this helpful
2) When we run this code, we get an error with this core message:
note:

3) The println! macro can do many kinds of formatting, and by default, the
curly brackets tell println! to use formatting known as Display: output Let’s try it! The println! macro call will now look like println!("rect1 is {:?}", rect1); .
intended for direct end user consumption. Putting the specifier :? inside the curly brackets tells println! we want to use an
output format called Debug . The Debug trait enables us to print our struct in a
way that is useful for developers so we can see its value while we’re debugging
our code.

Run the code with this change. Drat! We still get an error: Rust does include functionality to print out debugging
information.
● But we have to explicitly opt in to make that functionality available for our
struct. To do that, we add the annotation #[derive(Debug)] just before the
struct definition, as shown in Listing 5-12.
● Now when we run the program, we won’t get any errors, and we’ll see the
following output:

Method Syntax

Methods are similar to functions Defining Methods


● They’re declared with the fn keyword and their name. ● Let’s change the area function that has a Rectangle instance as a
parameter and instead make an area method defined on the Rectangle
● They can have parameters and a return value. struct, as shown in Listing 5-13.

● They contain some code that is run when they’re called from somewhere
else.

● However, methods are different from functions in that they’re defined within
the context of a struct.

● Their first parameter is always self, which represents the instance of the struct
the method is being called on.
● To define the function within the context of Rectangle , we start an impl
(implementation) block.

● Then we move the area function within the impl curly brackets and
change the first (and in this case, only) parameter to be self in the
signature and everywhere within the body.

Listing 5-13: Defining an area method on the Rectangle


struct

Where’s the -> Operator?


1) In C and C++, two different operators are used for calling methods: you
● In main, where we called the area function and passed rect1 as an use . if you’re calling a method on the object directly and -> if you’re
argument, we can instead use method syntax to call the area method on calling the method on a pointer to the object and need to dereference the
pointer first. In other words, if object is a pointer,
our Rectangle instance. The method syntax goes after an instance: we add
object->something() is similar to (*object).something() .
a dot followed by the method name, parentheses, and any arguments.
2) Rust doesn’t have an equivalent to the -> operator; instead, Rust has a
feature called automatic referencing and dereferencing. Calling methods
is one of the few places in Rust that has this behavior.
Here’s how it works: Methods with More Parameters
1) Let’s practice using methods by implementing a second method on the
Rectangle struct.
2) This time, we want an instance of Rectangle to take another instance of
Rectangle and return true if the second Rectangle can fit completely
within self; otherwise it should return false .
3) That is, we want to be able to write the program shown in Listing 5-14,
once we’ve defined the can_hold method.

Using the as-yet-unwritten can_hold method


1) We know we want to define a method, so it will be within the impl
Rectangle block. The method name will be can_hold , and it will take an
immutable borrow of another Rectangle as a parameter.

2) The return value of can_hold will be a Boolean, and the implementation


will check whether the width and height of self are both greater than the
width and height of the other Rectangle, respectively.

3) Add the new can_hold method to the impl block from Listing 5-13,
shown in Listing 5-15.
Implementing the can_hold method on Rectangle Listing 5-15: Implementing the can_hold method on Rectangle that takes another Rectangle instance as a parameter

● When we run this code with the main function in Listing 5-14, we’ll get
our desired output.

● Methods can take multiple parameters that we add to the signature


after the self parameter, and those parameters work just like parameters
in functions.

Associated functions are often used for constructors.


Associated Functions
● Associated functions are often used for constructors that will return a
1) Another useful feature of impl blocks is that we’re allowed to define new instance of the struct.
functions within impl blocks that don’t take self as a parameter.
2) These are called associated functions because they’re associated with the ● For example, we could provide an associated function that would have
one dimension parameter and use that as both width and height, thus
struct. They’re still functions, not methods, because they don’t have an
making it easier to create a square Rectangle rather than having to
instance of the struct to work with. specify the same value twice:
3) You’ve already used the String::from associated function.
● To call this associated function, we use the :: syntax with the struct
name; et sq = Rectangle::square(3); is an example. This function is
namespaced by the struct: the :: syntax is used for both associated
functions and namespaces created by modules.
Multiple impl Blocks

Outline
1. Generic Types, Traits, and Lifetimes
● Each struct is allowed to have multiple impl blocks.
1. 10.1. Generic Data Types
● For example, Listing 5-15 is equivalent to the code shown in Listing 5-16,
which has each method in its own impl block. 2. 10.2. Traits: Defining Shared Behavior

3. 10.3. Validating References with Lifetime

2. Functional Language Features: Iterators and


Closures

1. 13.1. Closures: Anonymous Functions

3. Fearless Concurrency

1. 16.1. Using Threads to Run Code Simultaneously

We can use generics to


● There are two ways to
create definitions for items
provide the generic code:
like function signatures or Ways to provide the generic
Generic Data Types
structs, which we can then code ● Option<T>
use with many different
● Result<T, E>
concrete data types.
Option<T> Continue...
Rust standard library provides Option where 'T' is the generic data In the last case, enum is the custom type where <T> is the generic
type. It provides the generic over one type. data type. We can substitute the 'T' with any data type. Let's look at
this:
enum Option<T>
let x : Option<i32> = Some(10); // 'T' is of type i32.
{
let x : Option<bool> = Some(true); // 'T' is of type bool.
Some(T),
let x : Option<f64> = Some(10.5); // 'T' is of type f64.
None,
let x : Option<char> = Some('b'); // 'T' is of type char.
}

Continue... Continue...
In the previous case, we observe that 'T' can be of any type, i.e., i32, In the above case, type on the left-hand side is i32, and the value on
bool, f64 or char. But, if the type on the left-hand side and the value the right-hand side is of type f64. Therefore, the error occurs "type
on the right hand side doesn’t match, then the error occurs. Let's look mismatched".
at this:

let x : Option<i32> = Some(10.8);


Result<T,E> Generic Functions
Rust standard library provides another data type Result<T,E> which is Generics can be used in the functions, and we place the generics in
generic over two type, i.e., T & E: the signature of the function, where the data type of the parameters
and the return value is specified.
enum Result<T,E>

{ OK(T),

Err(E), }

Note: It is not a convention that we have to use 'T' and 'E'. We can use any
capital letter.

Continue... Example
When the function contains a single argument of type 'T'. fn main() {

Syntax: let a = vec![1,2,3,4,5];

fn function_name<T>(x:T) // body of the function. let b = vec![2.3,3.3,4.3,5.3];

The above syntax has two parts: let result = add(&a);

<T> : The given function is a generic over one type. let result1 = add(&b);

(x : T) : x is of type T.

println!("The value of result is {}",result);

println!("The value of result1 is {}",result1);

}
Example Struct Definitions
fn add<T>(list:&[T])->T Structs can also use the generic type parameter in one or more fields using <>
operator.
{
Syntax:
let mut c =0;
struct structure_name<T>
for &item in list.iter()
// Body of the structure.
{
we declare the generic type within the angular brackets just after the
c= c+item; structure_name, and then we can use the generic inside the struct definition.
}

Example Example
fn main() { fn main() {

let integer = Value{a:2,b:3}; let integer = Value{a:2,b:3};

let float = Value{a:7.8,b:12.3}; let float = Value{a:7.8,b:12.3};

println!("Integer values : {},{}",integer.a,integer.b); println!("Integer values : {},{}",integer.a,integer.b);

println!("Float values :{},{}",float.a,float.b); println!("Float values :{},{}",float.a,float.b);

} }
Output: Let's see another simple example.

Integer values : 2,3 struct Value<T> {


Float values : 7.8,12.3 a:T,
b:T,
In the above example, Value<T> struct is generic }
over one type and a and b are of the same type.
fn main() {
We create two instances integer and float. Integer
contains the values of type i32 and float contains let c = Value{a:2,b:3.6};
the values of type f64.
println!("c values : {},{}",c.a,c.b);
}

Continue... Enum Definitions

● In the above example, Value<T> struct is An enum can also use the generic data types. Rust
generic over one type, and a and b are of the standard library provides the Option<T> enum
same type. We create an instance of 'c'. The 'c' which holds the generic data type. The Option<T>
contains the value of different types, i.e., i32 and is an enum where 'T' is a generic data type.
f64.
● Therefore, the Rust compiler throws the
"mismatched error".
Option<T>

● It consists of two variants, i.e., Some(T) and


None.
● Where Some(T) holds the value of type T and
None does not contain any value.

Case Result<T, E>


enum Option<T>
We can create the generic of multiple types. This
{
can be achieved through Result<T, E>.
Some(T),
None,
enum Result<T,E>
}
{
In the above case, Option is an enum which is generic
over one type 'T'. It consists of two variants Some(T) OK(T),
and None. Err(E),
}
Continue... Method Definitions

● In the above case, Result<T, E> is an enum We can implement the methods on structs and
which is generic over two types, and it consists enums.
of two variants, i.e., OK(T) and Err(E).
Let's see a simple example:
struct Program<T> {
● OK(T) holds the value of type 'T' while Err(E)
a: T,
holds the value of type 'E'.
b: T,
}

Example Resolving Ambiguities


impl<T> Program<T> { Rust compiler automatically infers the generic
fn a(&self) -> &T { parameters. Let's understand this through a simple
scenario:
&self.a
} Let mut v = Vec::new(); // creating a vector.
} v.push(10);.
fn main() { println!("{:?}", v); // prints the value of v.
let p = Program{ a: 5, b: 10 }; In the above case, we insert the integer value into
println!("p.a() is {}", p.a()); the vector. Therefore, the Rust compiler got to
}
know that the vector v has the type i32.
Continue... We can solve the above case in two ways:

If we delete the second last line, then it looks like; 1. We can use the following annotation:

Let mut v = Vec::new(); // creating a vector. let v : Vec<bool> = Vec::new();


println!("{:?}", v); // prints the value of v. println!("{:?}",v) ;

The above case will throw an error that "it cannot


infer the type for T".

Continue...

2. We can bind the generic parameter 'T' by using


the 'turbofish' ::<> operator:

Topic 10.2
let v = Vec :: <bool> :: new();
println!("{:?}",v) ;
Traits: Defining Shared Behavior
Traits Defining Shared Behavior ● A trait tells the Rust compiler about functionality a particular type has
and can share with other types.
● We can use traits to define shared behavior in an abstract way.
● We can use trait bounds to specify that a generic can be any type that
has certain behavior.
● Note: Traits are similar to a feature often called interfaces in other
languages, although with some differences.

A Summary trait that consists of the behavior


Defining a Trait provided by a summarize method
● A type behavior consists of the methods we can call on that type. ● We want to make a media aggregator library that can display
Different types share the same behavior if we can call the same methods summaries of data that might be stored in a NewsArticle or Tweet
instance.
on all of those types.
● Trait definitions are a way to group method signatures together to define ● To do this, we need a summary from each type, and we need to request
a set of behaviors necessary to accomplish some purpose. that summary by calling a summarize method on an instance. Listing
10-12 shows the definition of a Summary trait that expresses this
behavior.
Implementing a Trait on a Type
● Here, we declare a trait using the trait keyword and then the trait’s ● Now that we’ve defined the desired behavior using the Summary trait,
name, which is Summary in this case. Inside the curly brackets, we we can implement it on the types in our media aggregator.
declare the method signatures that describe the behaviors of the types
● Listing 10-13 shows an implementation of the Summary trait on the
that implement this trait, which in this case is fn summarize(&self) ->
String. NewsArticle struct that uses the headline, the author, and the location
to create the return value of summarize .
● For the Tweet struct, we define summarize as the username followed by
the entire text of the tweet, assuming that tweet content is already limited
to 280 characters.

Listing 10-13:
Implementing a trait on a type is similar to implementing
Implementing the regular methods.
Summary trait on
the NewsArticle ● The difference is that after impl, we put the trait name that we want to
and Tweet types implement, then use the for keyword, and then specify the name of the
type we want to implement the trait for.

● Within the impl block, we put the method signatures that the trait
definition has defined. Instead of adding a semicolon after each signature,
we use curly brackets and fill in the method body with the specific
behavior that we want the methods of the trait to have for the particular
type.
Let’s say this lib.rs is for a crate we’ve called aggregator and someone else wants to use our crate’s
functionality to implement the Summary trait on a struct defined within their library’s scope.
After implementing the trait, we can call the methods on instances of NewsArticle and Tweet in the
● They would need to bring the trait into their scope first. They would do so
same way we call regular methods, like this
by specifying use aggregator::Summary; which then would enable them
to implement Summary for their type.
● One restriction to note with trait implementations is that we can
implement a trait on a type only if either the trait or the type is local to
our crate. For example, we can implement standard library traits like
Display on a custom type like Tweet as part of our aggregator crate
functionality, because the type Tweet is local to our aggregator crate.

Default Implementations Continue...


● Sometimes it’s useful to have default behavior for some or all of the methods in a
trait instead of requiring implementations for all methods on every type.
To use a default implementation to summarize instances of ● Even though we’re no longer defining the summarize
NewsArticle instead of defining a custom implementation, we method on NewsArticle directly, we’ve provided a
specify an empty impl block with impl Summary for NewsArticle default implementation and specified that NewsArticle
{}. implements the Summary trait.
● As a result, we can still call the summarize method on
an instance of NewsArticle , like this:

Default implementations can call other methods in the same trait, even if those other methods
don’t have a default implementation.

v
After we define summarize_author , we can call summarize on instances of the Tweet
Traits as Parameters
● Now that you know how to define and implement traits, we can explore
how to use traits to define functions that accept many different types.

Note that it isn’t possible to call the default implementation from an overriding implementation of that same Instead of a concrete type for the item parameter, we specify the
method. impl keyword and the trait name.

Trait Bound Syntax The impl Trait syntax is convenient and makes for more concise code in simple cases.

● The impl Trait syntax works for straightforward cases but is actually
syntax sugar for a longer form, which is called a trait bound; it looks like
this:
Specifying Multiple Trait Bounds with the + Syntax Clearer Trait Bounds with where Clauses

However, you can only use impl Trait if you’re returning a single type. For
example, this code that returns either a NewsArticle or a Tweet with the
Returning Types that Implement Traits return type specified as impl Summary wouldn’t
work:
Fixing the largest Function with Trait Bounds This time when we compile the code, we get a different set of errors:

A working definition of the largest function that works on any generic type
that implements the PartialOrd and Copy traits Using Trait Bounds to Conditionally Implement Methods
• To call this code with only those Conditionally implement
types that implement the Copy methods on a generic
trait, we can add Copy to the trait type depending on trait
bounds of T ! Listing 10-15 bounds
shows the complete code of a
generic largest function that will
compile as long as the types of
the values in the slice that we
pass into the function implement
the PartialOrd and Copy traits,
like i32 and char do.
Dungeons and Dragons Example Yes… We have simplified D&D rules for this presentation

The focus of this talk is traits with D&D used as a


metaphor.

D&D Races Let’s create some structs!


struct Dwarf {

name: String

struct Elf {

name: String

}
Let’s create some structs! Let’s make a character!
let my_dwarf = Dwarf {

name: String::from(“NellDwarf”)

};

Character Traits Let’s make a trait!


• Strength pub trait Constitution {

• Dexterity }

• Constitution

• Intelligence

• Wisdom

• Charisma
Let’s make a trait! Let’s implement that trait!
pub trait Constitution {

fn constitution_bonus(&self) -> u8;

Let’s implement that trait! Let’s implement that trait!


impl Constitution for Dwarf {

}
Let’s make a trait!
pub trait Constitution {
The constitution bonus for a dwarf is 2
fn constitution_bonus(&self) -> u8;

Let’s implement that trait! Let’s implement that trait!


impl Constitution for Dwarf { impl Constitution for Dwarf {

fn constitution_bonus(&self) -> u8 { fn constitution_bonus(&self) -> u8 {

} 2

} }

}
Let’s make a character! Let’s make a character!
let my_dwarf = Dwarf { let my_dwarf = Dwarf {

name: String::from(“NellDwarf”) name: String::from(“NellDwarf”)

}; };

my_dwarf.constitution_bonus();

// Returns 2

Let’s implement that trait! Let’s implement that trait!


Let’s implement that trait! Let’s implement that trait!
impl Constitution for HalfOrc {

Let’s implement that trait!


The constitution bonus for a half-orc is 1 impl Constitution for HalfOrc {

fn constitution_bonus(&self) -> u8 {

}
Let’s implement that trait! Let’s implement that trait!
let my_half_orc = HalfOrc { let my_half_orc = HalfOrc {

name: String::from(“NellOrc”) name: String::from(“NellOrc”)

}; };

my_half_orc.constitution_bonus();

// Returns 1

Let’s implement that trait!


The constitution bonus for both a human and a half-elf is 0
We could implement it like this…
impl Constitution for Elf { Most races have a constitution bonus of 0…

fn constitution_bonus(&self) -> u8 {

Repetitive!
}

impl Constitution for Human {

fn constitution_bonus(&self) -> u8 {

Let’s add a default!


Let’s make 0 the default pub trait Constitution {

fn constitution_bonus(&self) -> u8;

}
Let’s add a default! Let’s implement that trait!
pub trait Constitution {

fn constitution_bonus(&self) -> u8 {

Let’s implement that trait! Let’s implement that trait!


impl Constitution for Elf { let my_elf = Elf {

} name: String::from(“NellElf”)

};

impl Constitution for Human {

}
Let’s implement that trait! Let’s implement that trait!
let my_elf = Elf { let my_human = Human {

name: String::from(“NellElf”) name: String::from(“Nell”)

}; };

my_elf.constitution_bonus();

// Returns 0

Let’s implement that trait!


let my_human = Human { Yay! We have a trait!

name: String::from(“Nell”)

};

my_human.constitution_bonus();

// Returns 0
Presentation for Rust
Quiz # 4
Section Break
Prepared by: ( RUSTLING KNIGHTS )

Anas Baig (Team Leader)


Arsalan Nawaz
Muhammad Danial Siddiqui
Sheikh Hassaan Bin Nadeem

CHAPTER # 6 6.1 Enums


E N U M S & PATTE R N M
ATCH I N G
Example:
Enumerations or ● IP Addresses:
Version 4 or Version 6
Enums are a custom ● The property of being V4 or V6 at a time make enum structures
Defining Enums data type that allow appropriate, because enum values can only be one of the variants.
● But both versions are still IP Addresses and should be treated as the same
you to define a type type.

by enumerating its
possible values.

Code it: Creating Instances:


enum IpAddrKind { #![allow(unused_variables)]

fn main() {
V4,
Variants enum IpAddrKind {
V6,
V4,
}
V6, }

let four = IpAddrKind::V4;

let six = IpAddrKind::V6; }


Defining & Calling a Function: Where’s the Data?
We can define a function that takes any IpAddrkind and
can call it with either of its variant. ● We’ve just learnt how to make Enums and to create
instances and defining and calling functions.
#![allow(unused_variables)]
● But we have not stored any data in last example.
fn main() { ● So we can add data using structs and by some other
ways..
enum IpAddrKind {
V4,
V6,
}

fn route(ip_type: IpAddrKind) { }
}

Adding Data Using Structs:


enum IpAddrKind {
A Concise Way Using an Enum:
V4,
V6,
}
Hurray!
We’ve finally used structs to somehow associate values with the
struct IpAddr {
kind: IpAddrKind,
variants.
address: String, BUT
} We can do the same thing in a more concise way using just an
let home = IpAddr { enum.
kind: IpAddrKind::V4,
address: String::from("127.0.0.1"),
};

let loopback = IpAddr {


kind: IpAddrKind::V6,
address: String::from("::1"),
};
Adding Data Using Enums: An Advantage Against Struct:
This new definition of the IpAddr enum says that both V4
and V6 variants will have associated String values. Each variant can have different types and amounts of
associated data in enums.
enum IpAddr { enum IpAddr {
V4(String), V4(u8, u8, u8, u8),
V6(String), V6(String),
} }

let home = IpAddr::V4(String::from("127.0.0.1")); let home = IpAddr::V4(127, 0, 0, 1);

let loopback = IpAddr::V6(String::from("::1")); let loopback = IpAddr::V6(String::from("::1"));

Standard Library Definition for IpAddr:


As we wanted to store IP
Is This A Win For Any Data Type!
struct Ipv4Addr {
// --snip-- addresses and encode which
} kind they are is so common
Yes! The previous codes shown us that we can put
that the standard library has a
struct Ipv6Addr { definition we can use! Let’s any kind of data inside an Enum Variant.
// --snip--
look at how the standard We can even include Enums!
}
library defines IpAddr.
enum IpAddr {
V4(Ipv4Addr),
V6(Ipv6Addr),
}
Another Example: Same Thing Using Structs:
A message enum which has a wide variety of types
embedded in its variants. Defining an enum with variants is almost similar to defining different
kinds of struct definitions.
enum Message {
Quit,
struct QuitMessage; // unit struct
Move { x: i32, y: i32 },
struct MoveMessage {
Write(String),
x: i32,
ChangeColor(i32, i32, i32),
y: i32,
}
}
struct WriteMessage(String); // tuple struct
struct ChangeColorMessage(i32, i32, i32); //
tuple struct

So Enums are Easy! One More Similarity: “Impl Block”


Just as we’re able to define methods on structs using impl, we’re
Because if we use different structs which have different types
also able to define methods on enums.
than we couldn’t as easily define a function to take any of these
kinds of messages as we could with the Message enum which impl Message {
itself is only single type. fn call(&self) {
// method body would be defined here
}
}

let m = Message::Write(String::from("hello"));
m.call();
The “Option” Enum:
The “Option” enum is another enum defined by the standard

6.2 The “Option” Enum


library. The Option type is used in many places because it
encodes the very common scenario in which a value could be
something or it could be nothing.

Null Feature for Languages: Does Rust have Nulls?


No! However, the concept that null is trying to express is still a
Null is a value that means there is no value there. In languages with useful one: a null is a value that is currently invalid or absent for
null, variables can always be in one of two states: null or not-null. some reason.

Problem? So, What does Rust have?


The problem with null values is that if you try to use a null
value as a not-null value, you’ll get an error of some kind. Enum! that can encode the concept of a value being
Because this null or not-null property is pervasive, it’s present or absent. This enum is “Option<T>”, and it is
extremely easy to make this kind of error. defined in the standard library.
The “Option<T>” Enum Defined by Std. Lib: Example:
Here we’ve an example of using Option values to hold number
The Option<T> enum is so useful that it’s enum Option<T> types and string types.If we use None rather than Some, we need
even included in the prelude; you don’t { to tell Rust what type of Option<T> we have, because the compiler
need to bring it into scope explicitly. In Some(T), can’t infer the type that the Some variant will hold by looking only
addition, so are its variants: you can use None, at a None value.
Some and None directly without the }
Option:: prefix. The Option<T> enum is still }
just a regular enum, and Some(T) and None let some_number = Some(5);
are still variants of type Option<T>. let some_string = Some("a string");

let absent_number: Option<i32> = None;

So Why Option<T> is Better than having Null?


That’s How You Code Safely and Confidently!
Because Option<T> and T (where T can be any type) are different
types, the compiler won’t let us use an Option<T> value as if it were
In order to have a value that can possibly be null, you must explicitly
definitely a valid value. Like a code which is trying to add an i8 to an
opt in by making the type of that value Option<T>. Everywhere that a
Option<i8> won’t compile and will give an error because Rust
value has a type that isn’t an Option<T>, you can safely assume that
doesn’t understand how to add an i8 and an Option<i8>, because
the value isn’t null. That’s how Rust increases the safety of code.
they’re different types.

let x: i8 = 5;
let y: Option<i8> = Some(5);

let sum = x + y;
The “Match” Control Flow Operator:
6.3 “Match” ● “Match” is an extremely powerful control flow operator which

Control Flow Operator


allows you to compare a value against a series of patterns and
then execute code based on which pattern matches.

● Patterns can be made up of literal values, variable names,


wildcards, and many other things.

Code It:
Let’s Talk About Coin-Sorting
Machine! enum Coin {
Penny, In the same way as the coin sorting
Nickel, machine works, values go through
Coins slide down a Dime,
each pattern in a match, and at the
Quarter,
track with variously } first pattern the value “fits,” the
sized holes along it, value falls into the associated code
fn value_in_cents(coin: Coin) -> u8 {
and each coin falls match coin { block to be used during execution.
through the first hole it Coin::Penny => 1,
Coin::Nickel => 5,
encounters that it fits Coin::Dime => 10,
into. Coin::Quarter => 25,
}
}

Cardboard Coin-Sorting Machine


Let’s Break Down “Match”
Why didn’t we use
“ If ” ?
fn value_in_cents(coin: Coin) -> u8 {
match coin {
Coin::Penny => {
println!("Lucky penny!");
1
},
Coin::Nickel => 5, Because the expression with “ If ” needs to return
Coin::Dime => 10, a boolean value but with “Match”, it can be any
Coin::Quarter => 25,
type...
}
}

Curly Brackets in Match Arm: Patterns That Bind to Values:


fn value_in_cents(coin: Coin) -> u8 Curly brackets typically aren’t
{ used if the match arm code is Another useful feature of match arms is that they can bind to
match coin {
short, as it was in the last
Coin::Penny => 1, the parts of the values that match the pattern. This is how we
Coin::Nickel => 5, example where each arm just
Coin::Dime => 10,
returns a value. If you want to can extract values out of enum variants.
Coin::Quarter(state) => {
println!("State quarter run multiple lines of code in a
from {:?}!", state); match arm, you can use curly
25
}, brackets.
}
}
Example: Continued..
From last example, let’s change one of our Let’s imagine that a
enum UsState {
Alabama, enum variants to hold data inside it. From friend of ours is trying fn value_in_cents(coin: Coin) -> u8 {
to collect all 50 state match coin {
Alaska, 1999 through 2008, the United States minted
// --snip--
quarters. While we Coin::Penny => 1,
} quarters with different designs for each of the Coin::Nickel => 5,
50 states on one side. No other coins got state sort our loose change
enum Coin { Coin::Dime => 10,
Penny, designs, so only quarters have this extra value. by coin type, we’ll also Coin::Quarter(state) => {
Nickel, We can add this information to our enum by call out the name of println!("State quarter
Dime,
changing the Quarter variant to include a the state associated from {:?}!", state);
Quarter(UsState),
} UsState value stored inside it. with each quarter so 25
if it’s one our friend },
doesn’t have, they }
can add it to their }
collection.

What if we Call a Particular State!


If we were to call
value_in_cents(Coin::Quarter(UsState::Alaska)),

6.4 Matching With Option<T>


coin would be Coin::Quarter(UsState::Alaska).

When we compare that value with each of the match arms,


none of them match until we reach Coin::Quarter(state). At
that point, the binding for state will be the value
UsState::Alaska. We can then use that binding in the println!
expression, thus getting the inner state value out of the Coin
enum variant for Quarter.
Matching With Option<T>: Example:
Let’s write a function that takes an Option<i32> and, if there’s a value
When we talked about the Option<T>, we wanted to get the inside, adds 1 to that value. If there isn’t a value inside, the function
inner T value out of the “Some” case when using Option<T>; should return the None value and not attempt to perform any
we can also handle Option<T> using match as we did with operations.
the Coin enum! Instead of comparing coins, we’ll compare
the variants of Option<T>, but the way that the match
fn plus_one(x: Option<i32>) -> Option<i32> {
expression works remains the same. match x {
None => None,
Some(i) => Some(i + 1),
}
}

let five = Some(5);


let six = plus_one(five);
let none = plus_one(None);

Matches are Exhaustive! The Placeholder Pattern:


Consider this version of our plus_one function that has a bug and
let some_u8_value = 0u8; Rust also has a pattern we can use
won’t compile because we didn’t handle the None case.
match some_u8_value { when we don’t want to list all possible
1 => println!("one"), values. For example, a u8 can have
3 => println!("three"),
valid values of 0 through 255. If we
5 => println!("five"),
7 => println!("seven"), only care about the values 1, 3, 5, and
fn plus_one(x: Option<i32>) -> _ => (), 7, we don’t want to have to list out 0,
Option<i32> { } 2, 4, 6, 8, 9 all the way up to 255.
match x { Fortunately, we don’t have to: we can
Some(i) => Some(i + 1),
use the special pattern _ instead:
}
}
INTRODUCTION :
What names does the compiler know about at this location in the code?

CHAPTE R # 7
What functions am I allowed to call? What does this variable refer to?

The Module System encompasses

● Packages are a Cargo feature that let you build, test, and share crates.

PAC KAG E S,CRATE S & ● Crates are a tree of modules that produce a library or executable.
● Modules and the use keyword let you control the scope and privacy of

MODULES
paths.
● A path is a way of naming an item such as a struct, function, or
modules

PACKAGES AND CRATES FOR (CONTINUED):


MAKING LIBRARIES AND
EXECUTABLES : Example of a Package:

$ cargo new my-project


● A crate is a binary or library.
Created binary (application) `my-project` package
● The crate root is a source file that is used to know how to build a
$ ls my-project
crate.
Cargo.toml
● A package has a Cargo.toml that describes how to build one or
src
more crates. At most one crate in a package can be a library.
$ ls my-project/src
main.rs
THE MODULE SYSTEM TO CONTROL THE MODULE SYSTEM TO CONTROL
SCOPE AND PRIVACY : SCOPE AND PRIVACY :
Features (continued):
Features:
6. Using external packages
1. Modules, a way to organize code and control the privacy of paths
7. Nested paths to clean up large use lists
2. Paths, a way to name items
8. Using the glob operator to bring everything in a module into scope
3. use, a keyword to bring a path into scope
9. How to split modules into individual files
4. pub, a keyword to make items public

5. Renaming items when bringing them into scope with the as


keyword

MODULES : MODULES (NESTED) :


mod sound {
Modules let us organize code into groups.
mod instrument {
mod woodwind {
Example:
fn clarinet() {
// Function body code goes here
mod sound {
}
fn guitar() { }
// Function body code goes here }
} mod voice {
}
} }
fn main() { fn main() {
} }
MODULES (NESTED) : MODULE TREE VS FILESYSTEM :
Hierarchy ● This tree might remind you of the directory tree of the filesystem
you have on your computer
crate
● Just like directories in a filesystem, you place code inside
└── sound whichever module will create the organization you’d like.
● Another similarity is that to refer to an item in a filesystem or a
├── instrument module tree, you use its path
│ └── woodwind

└── voice

PATHS : PATHS (EXAMPLE) :


If we want to call a function, we need to know its path mod sound {
mod instrument {
A path can take two forms: fn clarinet() {
// Function body code goes here
An absolute path starts from a crate root by using a crate name or a }
}
literal “crate”.
}
fn main() {
A relative path starts from the current module and uses “self”, “super”,
// Absolute path
or an identifier in the current module. crate::sound::instrument::clarinet();
// Relative path
Both absolute and relative paths are followed by one or more sound::instrument::clarinet();
identifiers separated by double colons ( :: ) . }
MODULES AS PRIVACY BOUNDARY : PATHS (EXAMPLE WITH PUB) :
● Modules are used for organization mod sound {
pub mod instrument {
● Modules are also used for privacy boundary in Rust. pub fn clarinet() {
● Privacy rules: // Function body code goes here
}
○ All items (functions, methods, structs, enums, modules, and }
constants) are private by default. }
fn main() {
○ You can use the pub keyword to make an item public.
// Absolute path
○ You aren’t allowed to use private code defined in modules that crate::sound::instrument::clarinet();
are children of the current module.
// Relative path
○ You are allowed to use any code defined in ancestor modules sound::instrument::clarinet();
or the current module. }

STARTING RELATIVE PATHS WITH USING PUB WITH STRUCTS :


SUPER
main() {}:
mod plant {
fn pub struct Vegetable { fn main() {
pub name: String, let mut v =
mod instrument { id: i32, plant::Vegetable::new("squash");
} v.name = String::from("butternut squash");
fn clarinet() { impl Vegetable { println!("{} are delicious", v.name);
super::breathe_in(); pub fn new(name: &str) -> Vegetable // println!("The ID is {}", v.id);
{ }
}
Vegetable {
} name: String::from(name),
id: 1,
}
fn breathe_in() { }
// Function body code goes here }
} }
THE “USE” KEYWORD TO BRING ABSOLUTE PATHS
USING PUB WITH ENUMS : INTO A SCOPE :
mod menu { mod sound {
pub enum Appetizer { pub mod instrument {
Soup, pub fn clarinet() {
// Function body code goes here
Salad,
}
} }
} }
use crate::sound::instrument;
fn main() { fn main() {
let order1 = menu::Appetizer::Soup; instrument::clarinet();
let order2 = menu::Appetizer::Salad; instrument::clarinet();
instrument::clarinet();
}
}

THE “USE” KEYWORD TO BRING RELATIVE PATHS ABSOLUTE VS RELATIVE PATHS WITH
INTO A SCOPE :
mod sound {
“USE” :
mod sound {
pub mod instrument { pub mod instrument {
pub fn clarinet() { pub fn clarinet() {
// Function body code goes here // Function body code goes here
} }}}
mod performance_group {
}
use crate::sound::instrument;
}
pub fn clarinet_trio() {
use self::sound::instrument; instrument::clarinet();
fn main() { instrument::clarinet();
instrument::clarinet(); instrument::clarinet();
instrument::clarinet(); }}
instrument::clarinet(); fn main() {
} performance_group::clarinet_trio();
}
Idiomatic use Paths for Functions Idiomatic use Paths for
mod sound { Structs/Enums & Other Items
use std::collections::HashMap;
pub mod instrument {
pub fn clarinet() {
// Function body code goes here fn main() {
} let mut map = HashMap::new();
}
}
map.insert(1, 2);
use crate::sound::instrument::clarinet; }
fn main() {
clarinet();
clarinet();
clarinet();
}

Idiomatic use Paths for Renaming Types Brought Into Scope with the as
Keyword
Structs/Enums & Other Items ● We can bring two types of the same name into the same scope
● We can specify a new local name for the type by adding “as” and a new
● Exception to this idiom is if the use statements would bring two
name after the “use”
items with the same name into scope, which isn’t allowed.
● use std::fmt;
use std::io; ● Example:
use std::fmt::Result;
fn function1() -> fmt::Result {}
use std::io::Result as IoResult;
fn function2() -> io::Result<()> {}
fn function1() -> Result { }
fn function2() -> IoResult<()> { }
● We would have two Result types in the same scope and Rust
wouldn’t know which one we meant when we used Result.
Re-exporting Names with pub use Re-exporting Names with pub use (Example)
● When you bring a name into scope with the use keyword, the name being mod sound {
pub mod instrument {
available in the new scope is private.
pub fn clarinet() {
● If you want to enable code calling your code to be able to refer to the type // Function body code goes here
as if it was defined in that scope just as your code does, you can combine }}}
pub and use. mod performance_group {
pub use crate::sound::instrument;
● This technique is called re-exporting because you’re bringing an item into pub fn clarinet_trio() {
scope but also making that item available for others to bring into their instrument::clarinet();
scope. instrument::clarinet();
instrument::clarinet();
}}
fn main() { performance_group::clarinet_trio();
performance_group::instrument::clarinet(); }

Using External Packages Nested Paths for Cleaning Up Large


● There are many packages that members of the community have use Lists
● When you use many items defined by the same package or in the same
published on https://crates.io. module, listing each item on its own line can take up a lot of vertical space
● Pulling any of them into your package involves following steps: in your files.
○ listing them in your package’s Cargo.toml
● For example, these two use statements bring items from std into scope:
○ bringing items defined in them into a scope in your package
use std::cmp::Ordering;
with use. use std::io;
● Example: A package “rand” can be pulled with following code in
Cargo.toml file: ● We can use nested paths to bring the same items into scope in one line
[dependencies] instead of two as:
rand = "0.5.5" use std::{cmp::Ordering, io};
Bringing All Public Definitions into Separating Modules into Different
Scope with the Glob Operator Files
● So far we have defined multiple modules in one file.
● To bring all public items defined in a path into scope, you can specify that ● When modules get large, you may want to move their definitions to a
path followed by *, the glob operator separate file to make the code easier to navigate.
use std::collections::*;
mod sound;
● The glob operator is often used when testing to bring everything under fn main() {
test into the tests module // Absolute path
crate::sound::instrument::clarinet();
● The glob operator is also sometimes used as part of the prelude pattern // Relative path
sound::instrument::clarinet();
}

Separating Modules into Different


Files (continued)
CHAPTER # 8
src/sound.rs file:
pub mod instrument {
pub fn clarinet() {
// Function body code goes here
}
}

● The module tree remains the same and the function calls in main
COMMON
continue to work without any modification, even though the definitions
live in different files. This lets you move modules to new files as they grow
in size.
COLLECTION
Common Collections STORING LISTS OF VALUES WITH
Rust’s standard library includes a number of very useful data structures called
collections. Most other * data types represent one specific value, but collections VECTORS
The first collection type we’ll look at is Vec<T>, also known as a vector.
Vectors allow you to store more than one value in a single data
can contain multiple values. We’ll discuss three collections that are used very often
in Rust programs: structure that puts all the values next to each other in memory.
1. A Vector 2. A String 3. A Hash Map Vectors can only store values of the same type. They are useful when
1. Vector: you have a list of items.
Allows you to store a variable number of values next to each other.
2. String:
Is a collection of characters.
3. Hash Map:
Allows you to associate a value with a particular key. It’s a particular
implementation of the more general data structure called a map.

Creating The Empty Vector:


fn main() {
Updating the Vector
fn main() {
let v: Vec<i32> = Vec::new(): // Creating The Empty Vector and Pushing The Value
} let mut v1 = Vec::new();
v1.push(5);
Creating The Vector Containing Values:
v1.push(6);
fn main() {
v1.push(7);
let v = vec![1,2,3]; v1.push(8);
println!("The First Value is = {}, println!("Empty Vector v1 having no value after
Pushing Value in Vector v1 {}, {} , {}, {}",
Second Value is = {},Third Value is
v1[0], v1[1], v1[2], v1[3]);
= {} ",v[0], v[1], v[2]); }
}
UPDATING THE VECTOR: READING ELEMENTS OF VECTOR:
fn main() { fn main() {
// Creating Vector Having Some Value let v = vec![1, 2, 3, 4, 5];
let mut v = vec![1, 2, 3];
v.push(4); let third: &i32 = &v[2];
v.push(5); println!("The third element is {}", third);
v.push(6);
v.push(7); match v.get(2) {
println!("The Vector having Value is {}, {}, {} Some(third) => println!("The third element is {}",
After Pushing Value The Vector v Value is third),
{}, {}, {}, {} ", None => println!("There is no third element."),
v[0], v[1], v[2], v[3], v[4], v[5], v[6]); }
} }

READING ELEMENTS (PANICKED): READING ELEMENTS (Error):


fn main() { fn main() {
let v = vec![1, 2, 3, 4, 5]; let v = vec![1, 2, 3, 4, 5];
let does_not_exist = &v[100]; Let first = &v[0];
let does_not_exist = v.get(100); v.push(6);
} println!(“The First Element is: {}, First);
}
ITERATING OVER THE VALUE IN A ITERATING OVER MUTABLE
VECTOR:
fn main() { REFERENCE
fn main() {
IN A VECTOR:
let v = vec![100, 32, 57];
let v = vec![10, 20, 30];
for i in &v5 {
for i in &mut v6 {
println!(“{}”,i);
*i += 50;
}
println!(“{}”,i);
}
}
}

USING ENUM TO STORE MULTIPLE


TYPE
The vectors can only store values that are the same type. This can be
inconvenient; there are definitely use cases for needing to store a list

STRING
of items of different types.

Fortunately, the variants of an enum are defined under the same


enum type, so when we need to store elements of a different type in a
vector, we can define and use an enum!
STORING UTF-8 ENCODED TEXT WITH
STRING
What are Strings?
Strings. There are two types of strings in Rust: String and &str. Rust has only one string type in the core language, which is the string
String is heap allocated, growable and not null terminated. &str is a slice str that is usually seen in its borrowed form &str. We talked about
slice ( &[u8] ) that always points to a valid UTF-8 sequence, and can be string slices, which are references to some UTF-8 encoded string data
used to view into a String , just like &[T] is a view into Vec<T> . stored elsewhere. String literals, for example, are stored in the
program’s binary and are therefore string slices.

CREATING THE STRING: UPDATING THE STRING:


fn main() {
let s = String::new(); #![allow(unused_variables)]
println!("Creating a Empty String: {}", s); fn main() {
let data = "initial contents"; let mut s1 = String::from("foo");
let s = data.to_string();
let s2 = "bar";
println!("The Value of s: {}", s);
{ s1.push_str(s2);
// the method also works on a literal directly: println!("s2 is {}", s2);
let d = String::from(“initial contents);
}
println!("The Value of d: {}", d);
}
}
CONCATENATION WITH THE CONCATENATION WITH THE OPERATORS:
fn main(){
OPERATORS: fn main (){
let s1 = String::from("Hello, ");
let s1 = String::from("tic");
let s2 = String::from("world!");
let s2 = String::from("tac");
let s3 = s1 + &s2; let s3 = String::from("toe");
println!("{}",s3); let s = s1 + "-" + &s2 + "-" + &s3;
} println!("{}",s);
}

CONCATENATION WITH FORMAT MACRO INDEXING INTO STRINGS:


fn main (){
let s1 = String::from("hello");
fn main() {
let s1 = String::from("tic"); let h = s1[0];
let s2 = String::from("tac"); }
let s3 = String::from("toe"); This code will result error:
let s = format!("{}-{}-{}", s1, s2, s3);
Rust strings don’t support indexing. But why not? To answer that
}
question, we need to discuss how Rust stores strings in memory.
STRING BYTES STORAGE: BYTES, SCALAR VALUES & GRAPHEME CLUSTER:
fn main (){ In UTF-8 there are three ways to look at strings from Rust’s
perspective:
let len = String::from("Hola").len();
println!("{}",len); 1. By Bytes

{ 2. By Scalar
let len = String::from("Здравствуйте").len(); 3. By Grapheme Cluster
println!("{}",len);
}
}

SLICING STRING: ITERATING OVER STRING:


fn main (){
for c in "नमस्ते".chars(){
println!("{}", c);}
fn main (){
{
let hello = "Здравствуйте";
for b in "नमस्ते".bytes() {
let s = &hello[0..4];
println!("{}", b);}
println!("{}",s)
}
}
}
The type HashMap<K, V> stores a mapping of keys of type K to values
of type V. It does this via a hashing function, which determines how it
places these keys and values into memory. Hash maps are useful when

HASH MAP
you want to look up data not by using an index, as you can with
vectors, but by using a key that can be of any type.

CREATING NEW HASH MAP ANOTHER WAY TO CREATING NEW HASH MAP
use std::collections::HashMap; use std::collections::HashMap;
fn main() { fn main() {
let mut scores = HashMap::new(); let teams = vec![String::from("Blue"), String::from("Yellow")];
scores.insert(String::from("Blue"), 10); let initial_scores = vec![10, 50];
scores.insert(String::from("Yellow"), 50); let scores: HashMap<_, _> = teams.iter().zip(initial_scores.iter()).collect();

for (key, value) in &scores { for (key, value) in &scores {

println!("{}: {}", key, value); println!("{}: {}", key, value);


}
}
println!("{:?}", scores);
println!("{:?}", scores);
}
}
HASH MAP AND OWNERSHIP ACCESSING VALUE IN A HASH MAP
use std::collections::HashMap; use std::collections::HashMap;
fn main(){
fn main() {
let mut scores = HashMap::new();
let field_name = String::from("Favorite color");
scores.insert(String::from("Blue"), 10);
let field_value = String::from("Blue"); scores.insert(String::from("Yellow"), 50);
let mut map = HashMap::new(); let team_name = String::from("Blue");
let score = scores.get(&team_name);
map.insert(field_name, field_value);
for (key, value) in &scores {
println!("{:?}", map);
println!("{}: {}", key, value);
} }
println!("{:?}", score);
}

UPDATING A HASH MAP UPDATING A HASH MAP


OVERWRITING THE VALUE: INSERTING THE VALUE:
use std::collections::HashMap; use std::collections::HashMap;
fn main() fn main(){
{ let mut scores = HashMap::new();
let mut scores = HashMap::new(); scores.insert(String::from("Blue"), 10);
scores.insert(String::from("Blue"), 10); scores.entry(String::from("Yellow")).or_insert(50);
println!("{:?}", scores); scores.entry(String::from("Blue")).or_insert(50);
scores.insert(String::from("Blue"), 25); println!("{:?}", scores);
println!("{:?}", scores); }
}
UPDATING A HASH MAP HASHING FUNCTION:
UPDATING THE VALUE:
By default, HashMap uses a “cryptographically strong”
use std::collections::HashMap; 1
hashing function that can provide resistance to Denial of Service (DoS)
fn main(){ attacks. This is not the fastest hashing algorithm available, but the
let text = "hello world wonderful world"; trade-off for better security that comes with the drop in performance is
worth it. If you profile your code and find that the default hash function
let mut map = HashMap::new(); is too slow for your purposes, you can switch to another function by
for word in text.split_whitespace() { specifying a different hasher. A hasher is a type that implements the
BuildHasher trait.
let count = map.entry(word).or_insert(0);
*count += 1;
}
println!("{:?}", map);
}

CHAPTER # 9 CHAPTE R # 9
ERROR HANDLING ERROR
HANDLING
ERROR :
TYPES OF ERRORS :
In computer programming, a logic error is a bug in a program that
There are basically three types of errors that you must contend with
causes it to operate incorrectly, but not to terminate abnormally (or
when writing programs:
crash). ... Unlike a program with a syntax error, a program with a logic
error is a valid program in the language, though it does not behave as ● Syntax errors - Syntax errors represent grammar errors in the use of
intended.Error resulting from bad code in some program involved in the programming language
producing the erroneous result. ● Runtime errors - Runtime errors occur when a program with no
syntax errors asks the computer to do something that the computer
is unable to reliably do.
● Logic errors - Logic errors occur when there is a design flaw in your
program.

SMART COMPILER : EXPLAIN ERROR CODE :


In Rust - Compiler does the most significant job to prevent errors in Error messages are very descriptive and we can easily see where is the
Rust programs. It analyzes the code at compile-time and issues error. But while we can not identify the issue via the error message,
warnings, if the code does not follow memory management rules or rustc --explain commands help us to identify the error type and
lifetime annotations correctly. how to solve it, by showing simple code samples which express the
Rust compiler checks not only issues related with lifetimes or memory same problem and the solution we have to use.
management and also common coding mistakes.
// ------ Compile-time error ------ //
error[E0382]: use of moved value: `a`
--> src/main.rs:6:22
PANICKING :
| ● In some cases, while an error happens we can not do anything to
3 | let b = a;
| - value moved here
handle it, if the error is something, which should not have
4 | happened. In other words, if it’s an unrecoverable error.
5 | println!("{:?}", a);
● Also when we are not using a feature-rich debugger or proper
| ^ value used here after move
| logs, sometimes we need to debug the code by quitting the
= note: move occurs because `a` has type `std::vec::Vec<i32>`, program from a specific line of code by printing out a specific
which does not implement the `Copy` trait
message or a value of a variable binding to understand the current
error: aborting due to previous error flow of the program.
For more information about this error, try `rustc --explain E0382`.
For above cases, we can use panic! macro.
// instead using #[allow(unused_variables)], consider using "let _b
= a;" in line 4.
// Also you can use "let _ =" to completely ignore return values

PANIC! MACRO : 01. Quit From A Specific Line.


fn main() {
// some code
Rust has the panic! macro. When the panic! macro executes, your
program will print a failure message, unwind and clean up the stack, and // if we need to debug in here
then quit. This most commonly occurs when a bug of some kind has been panic!();
}
detected and it’s not clear to the programmer how to handle the error.
// -------------- Compile-time error --------------
thread 'main' panicked at 'explicit panic', src/main.rs:5:5
02. Quit With A Custom Error Message.
#[allow(unused_mut)] //A lint attribute used to suppress the warning;
USING A PANIC! BACKTRACE :
username variable does not need to be mutable
fn main() {
Let’s look at another example to see what it’s like when a panic! call
let mut username = String::new();
comes from a library because of a bug in our code instead of from our
// some code to get the name code calling the macro directly. Listing 9-1 has some code that attempts
to access an element by index in a vector.
if username.is_empty() {
panic!("Username is empty!");
}
fn main() {
println!("{}", username); let v = vec![1, 2, 3];
}

// -------------- Compile-time error -------------- v[99];


thread 'main' panicked at 'Username is empty!', src/main.rs:8:9 }

BACKTRACE : RECOVERABLE ERRORS WITH RESULTS :


To protect your program from this sort of vulnerability, if you try to read
an element at an index that doesn’t exist, Rust will stop execution and ● Most errors aren’t serious enough to require the program to stop
refuse to continue. Let’s try it and see: entirely. Sometimes, when a function fails, it’s for a reason that you
can easily interpret and respond to. For example, if you try to open
$ cargo run a file and that operation fails because the file doesn’t exist, you
Compiling panic v0.1.0 (file:///projects/panic) might want to create the file instead of terminating the process.
Finished dev [unoptimized + debuginfo] target(s) in 0.27s
Running `target/debug/panic`
thread 'main' panicked at 'index out of bounds: the len is 3
but the index is 99', libcore/slice/mod.rs:2448:10
note: Run with `RUST_BACKTRACE=1` for a backtrace.
Recall from “Handling Potential Failure with the Result Type” , that How do we know File::open returns a Result?
the Result enum is defined as having two variants, Ok and Err, as
follows: Let’s try it! We know that the return type of File::open isn’t of type
u32, so let’s change the let f statement to this:

#![allow(unused_variables)]
fn main() {
enum Result<T, E> {
Ok(T), let f: u32 = File::open("hello.txt");
Err(E),
}
}

Using a match expression to handle the Result variants that


might be returned Output from the panic! macro:
use std::fs::File;

fn main() { thread 'main' panicked at 'There was a problem


let f = File::open("hello.txt"); opening the file: Error { repr:
let f = match f {
Os { code: 2, message: "No such file or
Ok(file) => file, directory" } }', src/main.rs:9:12
Err(error) => {
panic!("There was a problem opening
the file: {:?}", error)
},
};
}
use std::fs::File;
use std::io::ErrorKind;

MATCHING ON DIFFERENT fn main() {


let f = File::open("hello.txt");

ERRORS
let f = match f {
Ok(file) => file,
Err(error) => match error.kind() {
ErrorKind::NotFound => match File::create("hello.txt") {
Ok(fc) => fc,
Err(e) => panic!("Tried to create file but there was
a problem: {:?}", e),
},
other_error => panic!("There was a problem opening the
file: {:?}", other_error),
},
};
}

use std::fs::File;
use std::io::ErrorKind;

The next code has the same behavior as the last code but doesn't fn main() {
contain any match expressions and look up the unwrap_or_else let f = File::open("hello.txt").unwrap_or_else(|error| {
method in the standard library documentation. There’s many if error.kind() == ErrorKind::NotFound {
File::create("hello.txt").unwrap_or_else(|error|
more of these methods that can clean up huge nested match
{
expressions when dealing with errors.
panic!("Tried to create file but there was a
problem: {:?}", error);
})
} else {
panic!("There was a problem opening the file:
{:?}", error);
}
});
}
Shortcut for PANIC on ERROR : UNWRAP
● Unwrap If the Result value is the Ok variant, unwrap will return the value
● Expect inside the Ok. If the Result is the Err variant, unwrap will call the
panic! macro for us. Here is an example of unwrap in action:

use std::fs::File;

fn main() { EXPECT
let f = File::open("hello.txt").unwrap(); Another method, expect, which is similar to unwrap, lets us also
choose the panic! error message. Using expect instead of
} unwrap and providing good error messages can convey your
Output intent and make tracking down the source of a panic easier. The
syntax of expect looks like this:
thread 'main' panicked at 'called `Result::unwrap()`
on an `Err` value: Error {

repr: Os { code: 2, message: "No such file or


directory" } }',
Unwrap_err() for Result types
use std::fs::File;

fn main() { // 01. unwrap_err error message for Ok


let f = fn main() {
let o: Result<i8, &str> = Ok(8);
File::open("hello.txt").expect("Failed to open
hello.txt"); o.unwrap_err();
}
}

unwrap_or() ;
Expect_err() for Result types ;
fn main() {
let v1 = 8;
// 02. expect_err error message for Ok let v2 = 16;
fn main() { let s_v1 = Some(8);
let o: Result<i8, &str> = Ok(8); let n = None;

assert_eq!(s_v1.unwrap_or(v2), v1); // Some(v1) unwrap_or v2


o.expect_err("Should not get Ok value"); = v1
} assert_eq!(n.unwrap_or(v2), v2); // None unwrap_or v2 =
v2

let o_v1: Result<i8, &str> = Ok(8);


let e: Result<i8, &str> = Err("error");

assert_eq!(o_v1.unwrap_or(v2), v1); // Ok(v1) unwrap_or v2 =


v1
assert_eq!(e.unwrap_or(v2), v2); // Err unwrap_or v2 = v2
}
unwrap_or_default() ; UNWRAP_OR_ELSE() ;
fn main() { fn main() {
let v = 8; let v1 = 8;
let v_default = 0; let v2 = 16;

let s_v: Option<i8> = Some(8); let s_v1 = Some(8);


let n = None;
let n: Option<i8> = None; let fn_v2_for_option = || 16;

assert_eq!(s_v.unwrap_or_default(), v); // Some(v) assert_eq!(s_v1.unwrap_or_else(fn_v2_for_option), v1); // Some(v1)


unwrap_or_default = v unwrap_or_else fn_v2 = v1
assert_eq!(n.unwrap_or_default(), v_default); // None assert_eq!(n.unwrap_or_else(fn_v2_for_option), v2); // None
unwrap_or_default = default value of v unwrap_or_else fn_v2 = v2

let o_v1: Result<i8, &str> = Ok(8);


let o_v: Result<i8, &str> = Ok(8); let e: Result<i8, &str> = Err("error");
let e: Result<i8, &str> = Err("error"); let fn_v2_for_result = |_| 16;

assert_eq!(o_v.unwrap_or_default(), v); // Ok(v) assert_eq!(o_v1.unwrap_or_else(fn_v2_for_result), v1); // Ok(v1)


unwrap_or_default = v unwrap_or_else fn_v2 = v1
assert_eq!(e.unwrap_or_default(), v_default); // Err assert_eq!(e.unwrap_or_else(fn_v2_for_result), v2); // Err
unwrap_or_else fn_v2 = v2
unwrap_or_default = default value of v }
}

PROPAGATING ERRORS :
When you’re writing a function whose implementation calls something
that might fail, instead of handling the error within this function, you
can return the error to the calling code so that it can decide what to
do.
A function that returns errors to the calling code using
● we can handle them inside the same function. Or, match:
● we can return None and Err types immediately to the caller. So
the caller can decide how to handle them.
use std::io;
use std::io::Read;
OPERATORS
use std::fs::File;

fn read_username_from_file() -> Result<String, io::Error> {


let f = File::open("hello.txt"); ● If an Option type has Some value or a Result type has a Ok
let mut f = match f { value, the value inside them passes to the next step.
Ok(file) => file, ● If the Option type has None value or the Result type has Err
Err(e) => return Err(e),
}; value, it returns them immediately to the caller of the
function.
let mut s = String::new();

match f.read_to_string(&mut s) {
Ok(_) => Ok(s),
Err(e) => Err(e),
}
}

Example with Option type, Example with Result Type,


fn main() {
fn main() {
if complex_function().is_none() {
// `main` function is the caller of `complex_function` function
println!("X not exists!");
// So we handle errors of complex_function(), inside main()
}}
fn complex_function() -> Option<&'static str> {
if complex_function().is_err() {
let x = get_an_optional_value()?; // if None, returns immidiately; if println!("Can not calculate X!");
Some("abc"), set x to "abc" }
}
// some more code example fn complex_function() -> Result<u64, String> {
println!("{}", x); // "abc" ; if you change line 19 `false` to `true` let x = function_with_error()?; // if Err, returns immediately; if Ok(255),
set x to 255
Some("")
} // some more code example
fn get_an_optional_value() -> Option<&'static str> { println!("{}", x); // 255 ; if you change line 20 `true` to `false`
Ok(0)
//if the optional value is not empty }
if false { fn function_with_error() -> Result<u64, String> {
return Some("abc"); //if error happens
} if true {
//else
return Err("some message".to_string());
None
}
}
// else, return valid output
Ok(255)
}
● Let’s look at what happens if we use the ? operator in the main
The ? Operator Can Only Be Used in Functions That
function ;
Return Result :
use std::fs::File;

● The ? operator can only be used in functions that have a fn main() {


return type of Result }
let f = File::open("hello.txt").unwrap();

● When we compile this code, we get the following error


message:

thread 'main' panicked at 'called


`Result::unwrap()` on an `Err` value: Error {
repr: Os { code: 2, message: "No such file or
directory" } }',
src/libcore/result.rs:906:4

● we write the main function so that it does return a Result<T, E> :


TIP !
If you want to know about the
use std::fs::File;
all kind of errors
fn main() {
let f = File::open("hello.txt").expect("Failed to
open hello.txt");
std::fs::File::open() can produce,
} check the error list on
std::fs::OpenOptions.
TO PANIC! OR NOT TO PANIC! : TO PANIC! OR NOT TO PANIC!:
To Panic! Not To Panic!
So how do we decide when we should return Result?
So how do we decide when we should call panic! When we choose to return a Result value, we give the calling code
When code panics, there’s no way to recover. We could call panic! for options rather than making the decision for it. The calling code could
any error situation, whether there’s a possible way to recover or not, choose to attempt to recover in a way that’s appropriate for its
but then we’re making the decision on behalf of the code calling our situation.
code that a situation is unrecoverable.

EXAMPLES, PROTOTYPE CODE, AND TEST: PROTOTYPE CODE


EXAMPLES: Prototype:

When you’re writing an example to illustrate some concept, having Similarly, the unwrap and expect methods are very handy when
robust error-handling code in the example as well can make the prototyping, before you’re ready to decide how to handle errors. They
example less clear. In examples, it’s understood that a call to a method leave clear markers in your code for when you’re ready to make your
like unwrap that could panic is meant as a placeholder for the way you’d program more robust.
want your application to handle errors, which can differ based on what
the rest of your code is doing.
EXAMPLES, PROTOTYPE CODE, AND TEST: GUIDELINES FOR ERROR HANDLING
Test:
● The bad state is not something that’s expected to happen
If a method call fails in a test, you’d want the whole test to fail, even if occasionally.
that method isn’t the functionality under test. Because panic! is how a
test is marked as a failure, calling unwrap or expect is exactly what ● Our code after this point needs to rely on not being in this bad state.
should happen.
● There’s not a good way to encode this information in the types we
use.

CREATING CUSTOM TYPES FOR VALIDATION CREATING CUSTOM TYPES FOR VALIDATION

loop {
The idea of using Rust’s type system to ensure we have a valid value one // --snip--
step further and look at creating a custom type for validation. The
guessing game in which our code asked the user to guess a number let guess: i32 = match guess.trim().parse() {
Ok(num) => num,
between 1 and 100. We never validated that the user’s guess was Err(_) => continue,
between those numbers before checking it against our secret number; };

we only validated that the guess was positive. if guess < 1 || guess > 100 {
println!("The secret number will be between 1 and 100.");
continue;
}

match guess.cmp(&secret_number) {
// --snip--
}
CREATING CUSTOM TYPES FOR VALIDATION
Summary
#![allow(unused_variables)]
fn main() {
pub struct Guess {
value: i32,
}

impl Guess { Rust’s error handling features are designed to help us write more
pub fn new(value: i32) -> Guess {
if value < 1 || value > 100 { robust code. The panic! macro signals that our program is in a state it
}
panic!("Guess value must be between 1 and 100, got {}.", value); can’t handle and lets us tell the process to stop instead of trying to
proceed with invalid or incorrect values.
Guess {
value
}
}

pub fn value(&self) -> i32 {


self.value
}
}
}

Continue ...
The Result enum uses Rust’s type system to indicate that
operations might fail in a way that our code could recover from.

We can use Result to tell code that calls our code that it needs to
handle potential success or failure as well. Using panic! and
Section Break
Result in the appropriate situations will make our code more
reliable in the face of inevitable problems.
Rust Lifetime
● Lifetime defines the scope for which

Rust Lifetime
reference is valid.
● Lifetimes are implicit and inferred.
● Rust uses the generic lifetime parameters to
ensure that actual references are used which
are valid.

Preventing Dangling references with Example


Lifetimes fn main() {
● When a program tries to access the invalid let a;
reference, it is known as a Dangling reference. {
let b = 10;
● The pointer which is pointing to the invalid a = &b;
resource is known as a Dangling pointer. }
println!("a : {}",a);
}
Output Continue
● In the above example, the outer scope contains
the variable whose named as 'a' and it does not
contain any value. An inner scope contains the
variable 'b' and it stores the value 10. The
reference of 'b' variable is stored in the variable
'a'. When the inner scope ends, and we try to
access the value of 'a'.

Compile Error Borrow checker


● The Rust compiler will throw a compilation ● The borrow checker is used to resolve the
error as 'a' variable is referring to the location problem of dangling references. The borrow
of the variable which is gone out of the scope. checker is used to compare the scopes to
Rust will determine that the code is invalid by determine whether they are valid or not.
using the borrow checker.
● In the above example, we have annotated the
lifetime of 'a' variable with the 'a and the lifetime
of 'b' variable with the 'b. At the compile time,
Rust will reject this program as the lifetime of 'a'
variable is greater than the lifetime of 'b'
variable. The above code can be fixed so that
no compiler error occurs.

● In the above example, the lifetime of 'a' variable


is shorter than the lifetime of 'b' variable.
Therefore, the above code runs without any
compilation error.
Lifetime annotation syntax Steps to be followed for the lifetime
annotation syntax:
● Lifetime annotation does not change how long ● The names of the lifetime parameters should
any of the references live. start with (') apostrophe.
● Functions can also accept the references of any ● They are mainly lowercase and short. For
lifetime by using the generic lifetime parameter. example: 'a.
● Lifetime annotation describes the relationship ● Lifetime parameter annotation is placed after
among the lifetimes of multiple parameters. the '&' of a reference and then space to
separate annotation from the reference type.

Some examples of lifetime Lifetime Annotations in Function


annotation syntax are given below: Signatures
● &i32 // reference ● The 'a represents the lifetime of a reference.
● & 'a i32 // reference with a given Every reference has a lifetime associated with
lifetime. it. We can use the lifetime annotations in
function signatures as well.
● & 'a mut i32 // mutable reference with a given
lifetime.
In the above case, fun is the function name which
● The generic lifetime parameters are used
between angular brackets <> , and the angular has one lifetime, i.e., 'a. If a function contains two
brackets are placed between the function reference parameters with two different lifetimes,
name and the parameter list. Let's have a look: then it can be represented as:
● fn fun<'a>(...);
fn fun<'a,'b>(...);

Lifetime Annotations in struct


● Both & 'a i32 and & 'a mut i32 are similar. The We can also use the explicit lifetimes in the struct
only difference is that 'a is placed between the as we have used in functions.
& and mut. Let's look:
● & mut i32 means "mutable reference to an i32" . struct Example
● & 'a mut i32 means "mutable reference to an x : & 'a i32, // x is a variable of type i32 that has
i32 with a lifetime 'a". the lifetime 'a.
Example impl blocks
fn main() { We can implement the struct type having a lifetime
let y = &9; 'a using impl block.
let b = Example{ x: y };
println!("{}", b.x); Let's see a simple example:
}
Output struct Example<'a> {
9 x: &'a i32,
}

Continue Continue
impl<'a> Example<'a> fn main() {
{ let y = &90;
fn display(&self) let b = Example{ x: y };
{ b.display();
print!("Value of x is : {}",self.x); }
} Output:
} Value of x is : 90
Multiple Lifetimes
● There are two possibilities that we can have: When references have the same lifetime.

fn fun <'a>(x: & 'a i32 , y: & 'a i32) -> & 'a i32
● Multiple references have the same lifetime. //block of code.
● Multiple references have different lifetimes.
In the above case, both the references x and y
have the same lifetime, i.e., 'a.

'static
The lifetime named as 'static is a special lifetime. ● In the above example, the lifetime of 'a' variable
It signifies that something has the lifetime 'static is shorter than the lifetime of 'b' variable.
will have the lifetime over the entire program. Therefore, the above code runs without any
Mainly 'static lifetime is used with the strings. The compilation error.
references which have the 'static lifetime are valid
for the entire program.
Let's look:
let s : & 'static str = "javaTpoint tutorial" ;
Lifetime annotation syntax Steps to be followed for the lifetime
annotation syntax:
● Lifetime annotation does not change how long ● The names of the lifetime parameters should
any of the references live. start with (') apostrophe.
● Functions can also accept the references of any ● They are mainly lowercase and short. For
lifetime by using the generic lifetime parameter. example: 'a.
● Lifetime annotation describes the relationship ● Lifetime parameter annotation is placed after
among the lifetimes of multiple parameters. the '&' of a reference and then space to
separate annotation from the reference type.

Some examples of lifetime Lifetime Annotations in Function


annotation syntax are given below: Signatures
● &i32 // reference ● The 'a represents the lifetime of a reference.
● & 'a i32 // reference with a given Every reference has a lifetime associated with
lifetime. it. We can use the lifetime annotations in
function signatures as well.
● & 'a mut i32 // mutable reference with a given
lifetime.
In the above case, fun is the function name which
● The generic lifetime parameters are used
between angular brackets <> , and the angular has one lifetime, i.e., 'a. If a function contains two
brackets are placed between the function reference parameters with two different lifetimes,
name and the parameter list. Let's have a look: then it can be represented as:
● fn fun<'a>(...);
fn fun<'a,'b>(...);

Lifetime Annotations in struct


● Both & 'a i32 and & 'a mut i32 are similar. The We can also use the explicit lifetimes in the struct
only difference is that 'a is placed between the as we have used in functions.
& and mut. Let's look:
● & mut i32 means "mutable reference to an i32" . struct Example
● & 'a mut i32 means "mutable reference to an x : & 'a i32, // x is a variable of type i32 that has
i32 with a lifetime 'a". the lifetime 'a.
Example impl blocks
fn main() { We can implement the struct type having a lifetime
let y = &9; 'a using impl block.
let b = Example{ x: y };
println!("{}", b.x); Let's see a simple example:
}
Output struct Example<'a> {
9 x: &'a i32,
}

Continue Continue
impl<'a> Example<'a> fn main() {
{ let y = &90;
fn display(&self) let b = Example{ x: y };
{ b.display();
print!("Value of x is : {}",self.x); }
} Output:
}
Value of x is : 90
Multiple Lifetimes
● There are two possibilities that we can have: When references have the same lifetime.

fn fun <'a>(x: & 'a i32 , y: & 'a i32) -> & 'a i32
● Multiple references have the same lifetime. //block of code.
● Multiple references have different lifetimes.
In the above case, both the references x and y
have the same lifetime, i.e., 'a.

STATIC Lifetime Elision


The lifetime named as 'static is a special lifetime. Lifetime Elision is an inference algorithm which
It signifies that something has the lifetime 'static makes the common patterns more ergonomic.
will have the lifetime over the entire program. Lifetime Elision makes a program to be ellided.
Mainly 'static lifetime is used with the strings. The
references which have the 'static lifetime are valid
for the entire program.
Let's look:
let s : & 'static str = "javaTpoint tutorial" ;
Lifetime Elision can be used anywhere: Lifetime Elision can appear in two ways:

Input lifetime: An input lifetime is a lifetime


& 'a T associated with the parameter of a function.
& 'a mut T
Output lifetime: An output lifetime is a lifetime
T<'a>
associated with the return type of the function.

Rules of Lifetime Elision:


Let's look: ● Each parameter passed by the reference has
fn fun<'a>( x : & 'a i32); // input lifetime got a distinct lifetime annotation.

fn fun<'a>() -> & 'a i32; // output lifetime fn fun( x : &i32, y : &i32)
fn fun<'a>(x : & 'a i32)-> & 'a i32; // Both input {
and output lifetime. }
If the single parameter is passed by reference,
then the lifetime of that parameter is assigned to If multiple parameters passed by reference and
all the elided output lifetimes. one of them is &self or &mut self, then the lifetime
of self is assigned to all the elided output lifetimes.
fn fun(x : i32, y : &i32) -> &i32 fn fun(&self, x : &str)
{ {
} }

Example Rust Closures


● fn fun( x : &str); // Elided form. They are anonymous functions

Can be saved in a Unlike functions,


● fn fun<'a>(x : & 'a str) -> & 'a str; // Expanded variable, or pass as closures can capture
form. arguments to other values from the
functions. scope in which they
are defined.
Closure Definition
Functional Language Features: • To define a closure, we start with a pair of vertical pipes (|), inside

Iterators and Closures which we specify the parameters to the closure.

• Example: Here…
let closure = |num| { ‘num’ is a
num parameter
};

Closure with multiple parameters Remember…


• The ‘let’ statement contains the definition of an
• We can have more than one parameters in closure.
anonymous function, not the resulting value.
• Example:
let closure = |num1, num2| { • Hence, the variable ‘closure’ in the previous example does
num1 + num2
not contain the resulting value of num1 + num2.
};
Calling Closure… Closure Type Inference & Annotations
• Closures don’t require you to annotate the types of the
• We call a closure like we do for a function.
parameters or the return value like fn functions do.
• Example:
fn main() { • They are usually short and relevant only within a narrow
closure(5); context, and hence, the compiler is reliably able to infer
};
the types of the parameters and return types.

Closure Type Inference & Annotations


Continued… Vertical Comparison of Closure and Function
With type annotations, the syntax of both the function and
• But we can explicitly add type annotations in closure closure looks more similar.

definitions. let closure = |num: u32| ->


fn add_one_v1 (x: u32) -> u32 { x + 1 } // function
u32 {
• Example: let add_one_v2 = |x: u32| -> u32 { x + 1 }; // closure
num
let add_one_v3 = |x| { x + 1 }; // closure without annotation
}; let add_one_v4 = |x| x + 1 ; // closure without parenthesis
(for single expression only)
More on Closures…
Type Inference Error
• Each closure instance has its own unique anonymous type.
• Closure definitions will have one concrete type inferred for
each of their parameters and for their return value. • For two closures having same signatures, we will find their
• The example below will give error, as the provided types types are different.
are different each time.
let closure = |num| num; • All closures implement at least one of the traits: Fn, FnMut,
let s = closure(String::from(“Hello”)); or FnOnce.
let s = closure(5);

Struct with Closure Struct with Closure, Cont…


• To make a struct that holds a closure, we need to specify
• We can create a struct that will hold the closure and the
the type of the closure, as the struct definition needs to
resulting value of the calling closure.
know the types of each of its fields.
• The struct will call the closure only if we need the resulting
• To define structs that use closures, we use generics and
value, which will be cached by the struct.
trait bounds.
Generics and the Fn Traits Generics and the Fn Traits, Cond…
• The cacher struct has a calculation field of generic type T.
• The trait bounds on T specify that it is a closure by using the • Any closure we want to store in the calculation field must

Fn trait. struct Cacher<T> where T: Fn(u32) -> u32 have one u32 parameter and must return a u32.
{
calculation: T, • The value field is of type Option<u32>.
value: Option<u32>
• Before executing the closure, the value will be None.
}

The logic around the ‘value’ field


• When code using a Cacher asks for the result of the closure, Explanation…
the Cacher will execute the closure and store the result within • We can call the value method as many times as we want, but the

a Some variant in the value field. closure will execute only once.

let closure = Cacher::new(|num| num);


• Then if code asks for the result of the closure again, instead of
closure.value(3);
executing the closure again, the Cacher will return the result closure.value(5);

held in the Some variant. closure.value(8);


First Problem… Second Problem…
• As we passed different values in the value function, we • It only accepts closures that take one parameter of type u32

should always get ‘3’ as the Cacher instance saved Some(3) in and return a u32.

self.value. • We might want to cache the results of closures that take a

• This is the panic situation in Rust and will fail. string slice and return usize values. To cater this, we need to

introduce more generic parameters.

Capturing the environment with closures Example Function…


fn main() {
• One of the main difference between the closures and the
let x = 4;
functions is that the closures can capture their environment fn myFunc(param:u32) -> bool { We cannot do the
param == x same with
and access variables from the scope in which they’re defined. functions. If we try
}; with the following
let y = 4; example, we will
get an error.
assert!(closure(y));
}
Memory Overhead Capturing Environment…
• Closure capture values from its environment in three ways:
• When a closure captures a value from its environment, it uses

memory to store the values for use in the closure body. This use of
• FnOnce

memory is overhead. • FnMute


• Functions never allowed to capture their environments, defining • Fn
and using functions will never incur overhead.

FnOnce FnMut & Fn


• Consumes the variable it captures from its enclosing scope,
• Can change the environment because it mutably borrows
known as the closure’s environment.
values.
• Must take ownership of the captured variables.
• Borrows values from the environment immutably.
• Can’t take ownership of the same variable more than once.
More on traits… Move Ownership…
• The move keyword is used to force the closure to take
• All closures implement FnOnce because they can all be called at least once.

• Closures that don’t move the captured variables also implement FnMut. ownership of the values in the environment.

• Closures that don’t need mutable access to the captured variables also • The technique is useful when passing a closure to a new
implement Fn.
thread to move the data so it’s owned by the new thread.

Concurrency

Fearless Concurrency
• It is the ability of a program to be decomposed into parts that can

run independently of each other.

• In contrast, the parallel program is where different parts of the

program execute at the same time.


Thread Multitasking vs Multithreading
• A thread is the smallest unit of a process. • Multitasking allows CPU to perform multiple tasks (program,

• A single process may contain multiple threads. process, task, threads) simultaneously.

• Multithreading allows multiple threads of the same process to

execute simultaneously.

Threads – Benefits Threads - Drawbacks


• Splitting the computation in your program into multiple threads can • Despite its benefits, it also adds complexity.

improve performance, as the program does multiple tasks at the • There is no guarantee about the order in which parts of your code

same time. on different threads will run.

• Other benefits include resource sharing, responsiveness, and • This can lead to problems such as race conditions, deadlocks and

utilization of multiprocessor architecture. irreproducible bugs.


Creating Threads in Rust Threading Example
• To create a new thread, we call the thread::spawn function.

• We need to import std::thread in order to utilize threading

functionality in Rust.

• Let’s look at an example.

Result Explanation…
• The new thread will be stopped when the main thread ends, • The calls to thread::sleep force a thread to stop its execution for a

whether or not it has finished running. short duration, allowing a different thread to run.

• The thread will probably take turns, but that isn’t guaranteed: it

depends on how your OS schedules the threads.

• The program finishes its execution when the main thread is finished

and thus, doesn’t wait for the inner thread to complete.


Join Handles JoinHandle Example
• To overcome the premature stopping of the inner thread,

Rust gives us a feature called JoinHandle.

• By implementing this feature, Rust prevents the program

from being stopped prematurely and waits till the particular

thread finishes its execution.

Result Explanation
• The two threads continue alternating, but the main thread waits

because of the call to handle.join() and does not end until the

spawned thread is finished.

• The result will be different if we move handle.join() before the for

loop in main.
Moving handle.join() Result
• The main thread will wait

for the spawned thread to

finish and then run its for

loop.

Using move Closures with Threads Without move


• The code will produce error as the

• The move closure is often used alongside thread::spawn because it closure is trying to borrow ‘v’.

allows you to use data from one thread in another thread. • Rust cannot tell how long the

• The technique is useful when creating new threads in order to spawned thread will run, so it

transfer ownership of values from one thread to another. doesn’t know if the reference to ‘v’

will always be valid.


With ‘move’
• The ‘move’ keyword

overrides Rust’s conservative

default of borrowing; it

doesn’t let us violate the Thanks


ownership rules.

You might also like