Quadratic Function Evaluation in C#

In this exercise, we will write a C# program that evaluates the quadratic function \( y = x^2 - 2x + 1 \) for integer values of \( x \) ranging from -10 to 10. The program will iterate through these values, compute the function's output, and display the results in a structured format.



Group

C# Basic Data Types Overview

Objective

1. Use a loop to iterate through values of \( x \) from -10 to 10.
2. Compute \( y \) using the given quadratic formula.
3. Display the values of \( x \) and the corresponding \( y \) values in a formatted output.
4. Ensure proper code readability by using meaningful variable names and comments.

Write a C# program in C# to display certain values of the function \( y = x^2 - 2x + 1 \) (using integer numbers for \( x \), ranging from -10 to +10).

Example C# Exercise

 Copy C# Code
using System;

class Program
{
    static void Main()
    {
        // Define the range of x values
        int start = -10;
        int end = 10;

        Console.WriteLine("x\t| y = x^2 - 2x + 1");
        Console.WriteLine("-----------------------");

        // Loop through the values of x from -10 to 10
        for (int x = start; x <= end; x++)
        {
            // Compute the quadratic function y = x^2 - 2x + 1
            int y = (x * x) - (2 * x) + 1;

            // Print the output in a tabular format
            Console.WriteLine($"{x}\t| {y}");
        }
    }
}

 Output

x       | y = x^2 - 2x + 1
-----------------------
-10     | 121
-9      | 100
-8      | 81
-7      | 64
-6      | 49
-5      | 36
-4      | 25
-3      | 16
-2      | 9
-1      | 4
0       | 1
1       | 0
2       | 1
3       | 4
4       | 9
5       | 16
6       | 25
7       | 36
8       | 49
9       | 64
10      | 81

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