Safe Division in C#: Handling Zero as a Divisor

In this exercise, we will create a C# program that performs division safely by handling the case where the divisor is zero. The program will first prompt the user for two numbers. If the second number (the divisor) is not zero, it will perform the division and display the result. However, if the divisor is zero, the program will display the message "I cannot divide" instead of attempting an invalid operation.

This exercise is essential for understanding user input handling, conditional logic (if-else), and avoiding runtime errors such as division by zero.



Group

C# Flow Control Basics

Objective

The objective of this exercise is to develop a C# program that asks the user for two numbers and safely performs division. If the second number is not zero, it will display the result of the division; otherwise, it will display "I cannot divide".

Write a C# program to ask the user for two numbers and display their division if the second number is not zero; otherwise, it will display "I cannot divide".

Example C# Exercise

 Copy C# Code
using System;

namespace SafeDivision
{
    class Program
    {
        static void Main(string[] args)
        {
            double numerator, denominator;

            Console.Write("Enter the first number: ");
            numerator = Convert.ToDouble(Console.ReadLine());

            Console.Write("Enter the second number: ");
            denominator = Convert.ToDouble(Console.ReadLine());

            if (denominator == 0)
            {
                Console.WriteLine("I cannot divide");
                Console.ReadKey();
                return; // Sale del método Main si el denominador es 0
            }

            double result = numerator / denominator;
            Console.WriteLine("The result of {0} / {1} is {2}", numerator, denominator, result);

            Console.ReadKey();
        }
    }
}

 Output

//Example 1 (Valid division):
Enter the first number: 25  
Enter the second number: 5  
The result of 25 / 5 is 5  

//Example 2 (Division by zero):
Enter the first number: 10  
Enter the second number: 0  
I cannot divide  

Share this C# Exercise

More C# Practice Exercises of C# Flow Control Basics

Explore our set of C# Practice Exercises! Specifically designed for beginners, these exercises will help you develop a solid understanding of the basics of C#. From variables and data types to control structures and simple functions, each exercise is crafted to challenge you incrementally as you build confidence in coding in C#.