Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

How do I sum up every 5th number instead of all numbers?

I need some help with the for-loop. I'm trying to sum up every fifth number that I type in, instead it sums them all up. What do I have to change?

        int count = 0;
        double total = 0;

        Console.Write("Enter your number: ");
        int input = int.Parse(Console.ReadLine());

        while (input != 0)
        {
            count++;
            for (count = 0; count <= 0; count += 5)
            {
                total = total + input;
            }
            Console.Write("Enter your number: ");
            input = int.Parse(Console.ReadLine());
        }
        Console.WriteLine("The sum of every +5 numbers is: {0}", total);
        Console.ReadKey();
like image 361
Leroy de Smet Avatar asked Dec 05 '25 12:12

Leroy de Smet


1 Answers

Assuming that you enter a list of numbers, and the 1st number and every five afterwards is added (so 1st, 6th, 11th, etc.):

int count = 0;
double total = 0;

Console.Write("Enter your number: ");
int input = int.Parse(Console.ReadLine());

while (input != 0)
{
    count++;
    if (count % 5 == 1)
        total = total + input;
    Console.Write("Enter your number: ");
    input = int.Parse(Console.ReadLine());
}
Console.WriteLine("The sum of every +5 numbers is: {0}", total);
Console.ReadKey();

This works by using the modulo operator (%). The modulo operator returns the remainder of a division operation involving the number you specify.

In the code if (count % 5 == 1), the question is:

Is the remainder of count divided by 5 equal to 1?

If so, it adds the number. If not, it is skipped

The reason the remainder is one is because we want results 1, 6, 11, etc:

1 / 5 = remainder 1
6 / 5 = remainder 1
11 / 5 = remainder 1

If you change the modulo value to 0 it will return the results at position 5, 10, 15, etc.

like image 171
Martin Avatar answered Dec 07 '25 00:12

Martin



Donate For Us

If you love us? You can donate to us via Paypal or buy me a coffee so we can maintain and grow! Thank you!