The program below is designed to give the user a message about their age.

If the age is greater than 20, display "You are 20+".
If the age is between 13 and 19 (including 13 and 19), display "You are a teenager".
For all other input numbers, display "You are young".
However, the program is not working correctly. There is one syntax error that prevents the program from running. There are also three logical errors that cause runtime exceptions or produce incorrect output for some inputs. Find and fix the syntax and logical errors in the code.

The following examples demonstrate the expected program output.

How old are you? 15
You are a teenager
How old are you? 5
You are young
How old are you? 55
You are 20+

Age = input("How old are you? ")

if age >= 20:
print("You are 20+")
elif age < 12:
print("You are a teenager")
else age > 0:
print("You are young")

Syntax error: The syntax error in the code is in the line "else age > 0:". The "else" statement does not take a condition, it is used to catch all remaining cases that are not covered by the previous "if" and "elif" statements. Therefore, the condition "age > 0" should be removed from the line.

Logical error 1: The first logical error is in the condition of the "elif" statement. The condition should check if the age is between 13 and 19, including 13 and 19. To fix this, change the condition from "elif age < 12:" to "elif age >= 13 and age <= 19:".

Logical error 2: The second logical error is in the condition of the "if" statement. The condition should check if the age is greater than 20. To fix this, change the condition from "if age >= 20:" to "if age > 20:".

Logical error 3: The third logical error is in the message displayed for the age range of 13-19. The message should be "You are a teenager", not "You are 20+". To fix this, change the message in the "elif" statement from "print("You are 20+")" to "print("You are a teenager")".

Fixed code:

age = int(input("How old are you? "))

if age > 20:
print("You are 20+")
elif age >= 13 and age <= 19:
print("You are a teenager")
else:
print("You are young")