7.3k views
3 votes
Create a for loop that counts the number of even and odd integers in the list below . It should return two strings on separate lines that print sentences with interpolated variables that inform the user how many of each integer type are in the list . numbers = [1 , 2 , 3 , 4 , 5 , 6 , 7 , 8 , 9]

User Bleiz
by
7.3k points

1 Answer

6 votes

Final answer:

To count even and odd numbers in a list, iterate through the list using a for loop, use the modulo operator to check if a number is even, increment the respective counters, and print the results.

Step-by-step explanation:

To count the number of even and odd integers in a list using a for loop in Python, you can iterate through the list and use conditionals to increment counters for each type. Here's an example that will count the evens and odds in the provided list and print out the results:

numbers = [1, 2, 3, 4, 5, 6, 7, 8, 9]
even_count = 0
odd_count = 0

for number in numbers:
if number % 2 == 0:
even_count += 1
else:
odd_count += 1

print(f"There are {even_count} even integers in the list.")
print(f"There are {odd_count} odd integers in the list.")

This loop checks each element to see if it's divisible by 2 (using the modulo operator %). If it is, it increments the even_count, otherwise, it increments the odd_count. After iterating through the whole list, it prints out the counts in the requested format.

User Enloz
by
7.6k points