187k views
4 votes
Write a method that takes a single integer parameter that represents the hour of the day (in 24 hour time) and prints the time of day as a string. The hours and corresponding times of the day are as follows:

0 = “midnight”
12 = “noon”
18 = “dusk”
0-12 (exclusive) = “morning”
12-18 (exclusive) = “afternoon”
18-24 (exclusive) = “evening”

You may assume that the actual parameter value passed to the method is always between 0 and 24, including 0 but excluding 24.
This method must be called timeOfDay()and it must have an integer parameter.

Calling timeOfDay(8) should print “morning” to the screen, and calling timeOfDay(12) should print “noon” to the screen.

You can call your method in the program's main method so you can test whether it works, but you must remove or comment out the main method before checking your code for a score.

User Gkunz
by
8.0k points

2 Answers

7 votes

Answer:

def timeOfDay(hour):

if hour == 0:

print("midnight")

elif hour == 12:

print("noon")

elif hour == 18:

print("dusk")

elif hour > 0 and hour < 12:

print("morning")

elif hour > 12 and hour < 18:

print("afternoon")

elif hour > 18 and hour < 24:

print("evening")

You can test the function as follows:

timeOfDay(8) # prints "morning"

timeOfDay(12) # prints "noon"

timeOfDay(18) # prints "dusk"

timeOfDay(5) # prints "morning"

timeOfDay(15) # prints "afternoon"

timeOfDay(22) # prints "evening"

Note that the elif conditions can be shortened by using the logical operator and to check the range of the hours.

Step-by-step explanation:

User Shobhan
by
7.4k points
1 vote

#Function definition

def timeOfDay(time):

#Mod 24.

simplified_time = time % 24

#Check first if it's 0,12 or 18.

return "Midnight" if (simplified_time==0) else "Noon" if (simplified_time%24==12) else "Dusk" if (simplified_time==18) else "Morning" if (simplified_time>0 and simplified_time<12) else "Afternoon" if (simplified_time>12 and simplified_time<18) else "Evening" if (simplified_time>18 and simplified_time<24) else "Wrong input."

#Main Function.

if __name__ == "__main__":

#Test code.

print(timeOfDay(7)) #Morning

print(timeOfDay(98)) #Morning

Write a method that takes a single integer parameter that represents the hour of the-example-1
User Frank N
by
7.4k points