Displaying Numbers in Hexadecimal and Binary in C#

In this exercise, we will create a C# program that asks the user to input a number and displays it in both hexadecimal and binary formats. The program will repeatedly ask for a number until the user enters `0`. The number will be displayed in the two formats using built-in C# methods for number conversion. This exercise helps in understanding number systems, user input handling, and formatting in C#.



Group

C# Basic Data Types Overview

Objective

1. Continuously prompt the user to input a number.
2. For each number, convert it to hexadecimal and binary formats.
3. Display the number in both formats.
4. If the user enters `0`, the program should stop and exit.
5. Ensure proper formatting for hexadecimal and binary outputs. The binary output should display as a string of `0`s and `1`s.

Write a C# program to ask the user for a number and display it both in hexadecimal and binary. It must repeat until the user enters 0.

Example C# Exercise

 Copy C# Code
using System;

class Program
{
    static void Main()
    {
        int number;

        // Continuously ask for input until the user enters 0
        while (true)
        {
            // Ask the user for a number
            Console.Write("Enter a number (enter 0 to exit): ");
            number = Convert.ToInt32(Console.ReadLine());

            // Exit the loop if the number is 0
            if (number == 0)
            {
                break;
            }

            // Display the number in hexadecimal and binary formats
            Console.WriteLine($"Hexadecimal: {number:X}");
            Console.WriteLine($"Binary: {Convert.ToString(number, 2)}\n");
        }

        Console.WriteLine("Program ended.");
    }
}

 Output

Enter a number (enter 0 to exit): 10
Hexadecimal: A
Binary: 1010

Enter a number (enter 0 to exit): 255
Hexadecimal: FF
Binary: 11111111

Enter a number (enter 0 to exit): 0
Program ended.

Share this C# Exercise

More C# Practice Exercises of C# Basic Data Types Overview

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#.