19.3k views
3 votes
Please write in Python! 4.23 LAB: Seasons v2 Write a program that takes a date as input and outputs the date's season (Winter, Spring, Summer, or Autumn) or "Invalid" if applicable. The input is a string to represent the month and an int to represent the day. Ex: If the input is: April 11 the output is: Spring In addition, check if the string and int are valid (an actual month and day). Ex: If the input is: Blue 65 the output is: Invalid Use the following seasonal date ranges for this assignment: Spring: March 20 - June 20 Summer: June 21 - September 21 Autumn: September 22 - December 20 Winter: December 21 - March 19

User Maor
by
8.1k points

1 Answer

4 votes

Final answer:

To write a program in Python that determines the season based on the input date, you can use conditional statements to check the date against the specified seasonal date ranges.

Step-by-step explanation:

To write a program in Python that determines the season based on the input date, you can use conditional statements to check the date against the specified seasonal date ranges. Here's an example:



def get_season(month, day):
if (month == 'March' and day >= 20) or (month == 'June' and day <= 20):
return 'Spring'
elif (month == 'June' and day > 20) or (month == 'September' and day <= 21):
return 'Summer'
elif (month == 'September' and day > 21) or (month == 'December' and day <= 20):
return 'Autumn'
elif (month == 'December' and day > 20) or (month == 'March' and day <= 19):
return 'Winter'
else:
return 'Invalid'

# Example usage
month = input('Enter the month: ')
day = int(input('Enter the day: '))

result = get_season(month, day)
print(result)



This program takes input from the user for the month and day. It then calls the

get_season()

function, passing in the month and day as arguments. The function uses conditional statements to check which season the date falls into and returns the corresponding season or 'Invalid' if the date is not valid.

User Latinos
by
7.6k points