Surface Area and Volume of a Sphere in C#

In this exercise, we will write a C# program that calculates the surface area and volume of a sphere based on a given radius. The user will input the radius, and the program will compute the surface area using the formula \( A = 4 \pi r^2 \) and the volume using \( V = \frac{4}{3} \pi r^3 \). The results will be displayed with appropriate formatting. This exercise helps in understanding mathematical operations, user input handling, and floating-point arithmetic in C#.



Group

C# Basic Data Types Overview

Objective

1. Prompt the user to enter the radius of the sphere.
2. Convert the input into a floating-point number using `Convert.ToSingle(...)`.
3. Calculate the surface area using the formula \( A = 4 \pi r^2 \).
4. Calculate the volume using the formula \( V = \frac{4}{3} \pi r^3 \).
5. Display the computed surface area and volume with appropriate formatting.
6. Ensure the program handles invalid inputs gracefully.

Write a C# program that calculates the surface area and volume of a sphere, given its radius (surface area = 4 * pi * radius squared; volume = 4/3 * pi * radius cubed).

Note: For floating-point numbers, you should use Convert.ToSingle(...).

Example C# Exercise

 Copy C# Code
using System;

class Program
{
    static void Main()
    {
        // Ask the user to enter the radius of the sphere
        Console.Write("Enter the radius of the sphere: ");
        
        // Convert input to a floating-point number
        float radius = Convert.ToSingle(Console.ReadLine());

        // Define the value of pi
        float pi = (float)Math.PI;

        // Calculate surface area: A = 4 * π * r^2
        float surfaceArea = 4 * pi * radius * radius;

        // Calculate volume: V = (4/3) * π * r^3
        float volume = (4f / 3f) * pi * radius * radius * radius;

        // Display the results
        Console.WriteLine("\nSphere Calculations:");
        Console.WriteLine($"Surface Area: {surfaceArea:F2} square units");
        Console.WriteLine($"Volume: {volume:F2} cubic units");
    }
}

 Output

Enter the radius of the sphere: 5

Sphere Calculations:
Surface Area: 314.16 square units
Volume: 523.60 cubic units

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