Section 4: Handling Errors With Try/Except
Exception Handling
Getting an error or exception in Python program, without any exception handling means entire program will crash.
In real world, this is not the desired behavior, and we want our program to detect errors, handle them, and then continue to run.
|
|
When the program is run we will get ZeroDivisonError
at line 6.
You can put the previous divide-by-zero code in a try
clause and have an except
clause contain code to handle what happens when this error occurs.
|
|
When code in a try
clause causes an error, the program execution immediately moves to the code in the except
clause. After running that code, the execution continues as normal.
A Short Program: Zigzag
This program will create a back-and-forth, zigzag pattern until the user stops it by pressing the Mu editor’s Stop button or by pressing CTRL-C. When you run this program, the output will look something like this:
********
********
********
********
********
********
********
********
********
This is how I implemented:
|
|
Here is Al’s implementation
The Collatz Sequence
Write a function named collatz()
that has one parameter named number. If number is even, then collatz()
should print number // 2
and return this value. If number is odd, then collatz()
should print and return 3 * number + 1
.
Then write a program that lets the user type in an integer and that keeps calling collatz()
on that number until the function returns the value 1. (Amazingly enough, this sequence actually works for any integer—sooner or later, using this sequence, you’ll arrive at 1! Even mathematicians aren’t sure why. Your program is exploring what’s called the Collatz sequence, sometimes called “the simplest impossible math problem.”)
Remember to convert the return value from input()
to an integer with the int()
function; otherwise, it will be a string value.
Hint: An integer number is even if number % 2 == 0
, and it’s odd if number % 2 == 1
.
The output of this program could look something like this:
Enter number:
3
10
5
16
8
4
2
1
|
|