rustHow to borrow in loop in Rust
Looping in Rust is done using the loop
keyword. This keyword allows you to create an infinite loop, which can be used to iterate over a collection of items.
let mut count = 0;
loop {
count += 1;
println!("{}", count);
if count == 10 {
break;
}
}
Output example
1
2
3
4
5
6
7
8
9
10
The code above creates an infinite loop that prints out the numbers from 1 to 10. The loop
keyword is followed by a set of curly braces {}
which contain the code that will be executed in the loop. The break
keyword is used to exit the loop when the condition is met.
Code explanation
let mut count = 0;
: This line declares a mutable variablecount
and initializes it to 0.loop {
: This line starts the loop.count += 1;
: This line increments the value ofcount
by 1.println!("{}", count);
: This line prints the value ofcount
to the console.if count == 10 {
: This line checks if the value ofcount
is equal to 10.break;
: This line exits the loop.
Helpful links
Related
- How to borrow with lifetime in Rust
- When to use borrow in Rust
- How to borrow as static in Rust
- How to borrow vector element in Rust
- How to borrow struct field in Rust
- How to borrow box in Rust
- How to return borrow in Rust
- How to borrow from iterator in Rust
- How to borrow as mutable in Rust
- Rust partial borrow example
More of Rust
- How to use regex to match a double quote in Rust?
- How to match a URL with a regex in Rust?
- How to match the end of a line in a Rust regex?
- How to use regex with bytes in Rust?
- How to implement PartialEq for a Rust HashMap?
- How to print a Rust HashMap?
- How to use an enum in a Rust HashMap?
- How to perform matrix operations in Rust?
- How to parse JSON string in Rust?
- How to get an element from a HashSet in Rust?
See more codes...