An error is basically an unexpected behavior or event that may lead a program to produce undesired output or terminate abruptly. Errors are things that no one wants in their program. We can try to find and analyze parts of the program that can cause errors. Once we found those parts then we can define how those parts should behave if they encounter an error. This process of finding and defining cases for a particular block of code is what we call Error Handling. One thing we should keep in mind that we cannot completely get rid of errors but we can try to minimize them or at least reduce their effect on our program.
In Rust, errors can be classified into two categories namely recoverable and unrecoverable
- Recoverable Errors: Recoverable errors are those that do not cause the program to terminate abruptly. Example- When we try to fetch a file that is not present or we do not have permission to open it.
- Unrecoverable Errors: Unrecoverable errors are those that cause the program to terminate abruptly. Example- Trying to access array index greater than the size of the array.
Most language does not distinguish between the two errors and use an Exception class to overcome them while Rust uses a data type Result <R,T> to handle recoverable errors and panic! macro to stop the execution of the program in case of unrecoverable errors.
We will first see how and where should we use panic! macro. Before it, we will see what it does to a program.
Rust
fn main() {
panic!("program crashed");
}
Output:
thread 'main' panicked at 'program crashed', main.rs:2:7
So, it basically stops the execution of the program and prints what we passed it in its parameter.
panic! the macro may be in library files that we use, let us see some:
Rust
fn main() {
let v = vec![1, 2, 3];
println!("{}",v[3])
}
Output:
thread 'main' panicked at 'index out of bounds: the len is 3 but the index is 3', main.rs:3:19
Since we are trying to access elements beyond the bounds of vector therefore it called a panic! macro.
We should only use panic in a condition if our code may end up in a bad state. A bad state is when some assumption, guarantee, contract, or invariant has been broken, such as when invalid values, contradictory values, or missing values are passed to our code and at least one of the following:-
- If a bad state occurs once in a blue moon.
- Your code after this point needs to rely on not being in this bad state.
- There’s not a good way to encode this information in the types you use.
Recoverable Errors
Result<T,E> is an enum data type with two variants OK and Err which is defined something like this
enum Result<T, E> {
Ok(T),
Err(E),
}
T and E are generic type parameters where T represents the type of value that will be returned in a success case within the Ok variant, and E represents the type of error that will be returned in a failure case within the Err variant.
Rust
use std::fs::File;
fn main() {
let f = File::open("gfg.txt");
println!("{:?}",f);
}
Output:
Err(Os { code: 2, kind: NotFound, message: "No such file or directory" })
Since the file gfg.txt was not there so the Err instance was returned by File. If the file gfg.txt had been found then an instance to the file would have been returned.
If a file is not found just like the above case then it will be better if we ask the user to check the file name, file location or to give the file specifications once more or whatever the situation demands.
Rust
use std::fs::File;
fn main() {
// file doesn't exist
let f = File::open("gfg.txt");/
match f {
Ok(file)=> {
println!("file found {:?}",file);
},
Err(_error)=> {
// replace it with whatever you want
// to do if file is not found
println!("file not found \n");
}
}
}
Output:
file not found
In the above program, it basically matches the return type of the result and performs the task accordingly.
Let's create our own errors according to business logic. Suppose we want to produce an error if a person below 18 years tries to apply for voter ID.
Rust
fn main(){
let result = eligible(13);
match result {
Ok(age)=>{
println!("Person eligible to vote with age={}",age);
},
Err(msg)=>{
println!("{}",msg);
}
}
}
fn eligible(age:i32)->Result<i32,String> {
if age>=18 {
return Ok(age);
} else {
return Err("Not Eligible..Wait for some years".to_string());
}
}
Output:
Not Eligible..Wait for some years
If we want to abort the program after it encounters a recoverable error then we could use panic! macro and to simplify the process Rust provides two methods unwrap() and expect().
Rust
use std::fs::File;
fn main() {
let f = File::open("gfg.txt").unwrap();
}
Output:
thread 'main' panicked at 'called `Result::unwrap()` on an `Err` value:
Os { code: 2, kind: NotFound, message: "No such file or directory" }', main.rs:17:14
The unwrap() calls the panic! macro in case of file not found while it returns the file handler instance if the file is found. Although unwrap() makes the program shorter but when there are too many unwrap() methods in our program then it becomes a bit confusing as to which unwrap() method called the panic! macro. So we need something that can produce the customized messages. In that case, expect() method comes to the rescue.
Rust
use std::fs::File;
fn main() {
let f = File::open("hello.txt").expect("Failed to open gfg.txt");
}
Output:
thread 'main' panicked at 'Failed to open gfg.txt:
Os { code: 2, kind: NotFound, message: "No such file or directory" }', main.rs:17:14
We passed our message to panic! macro via the expected parameter.
Similar Reads
Error Handling in LISP The condition system in Lisp is one of its best features. It accomplishes the same task as the exception handling mechanisms in Java, Python, and C++ but is more adaptable. In reality, its adaptability goes beyond error handling since conditions, which are more flexible than exceptions, can represen
9 min read
Operating System Error Handling An operating system is considered a medium between the computer systems and its users. After the booting process, the Operating System takes over and manages all of its applications on a device. The operating system is a key part of the framework software application in an electronic device. Since t
7 min read
Rust - Panic Error Handling Mechanism In Rust, the error-handling mechanism is via the use of the panic keyword. Rust handles error handling by grouping the errors into two categories - Recoverable errors and nonrecoverable errors. The former deals with errors related to file not found while the latter deals with errors related to code
2 min read
Error Handling in Programming In Programming, errors occur. Our code needs to be prepared for situations when unexpected input from users occurs, division by zero occurs, or a variable name is written incorrectly. To prevent unexpected events from crashing or having unexpected outcomes, error handling involves putting in place m
12 min read
Error Handling in Objective-C In this article, we will learn about error handling in objective C. There are different methods to handle errors in Objective-C with the help of examples and code. What is Error Handling?Error handling is defined as the process or mechanism in programming languages for identifying, catching, and res
6 min read
How to Handle Errors in Node.js ? Node.js is a JavaScript extension used for server-side scripting. Error handling is a mandatory step in application development. A Node.js developer may work with both synchronous and asynchronous functions simultaneously. Handling errors in asynchronous functions is important because their behavior
4 min read