Write a program that asks the user to input a grade that he or she received on an exam. The grade is an integer from 0 to 100 inclusive. The program should convert the numeric grade into the equivalent letter grade. Do the conversion by using a function Letter_Grade () that converts a numeric grade in the range 0-100 to the equivalent letter grade. The function should have one parameter, the integer grade. The return value of the function should be A if the grade is 90 to 100; B if the grade is 80 to 89; C if the grade is 70-79; D if the grade is 65 to 69; and F if the grade is 64 or lower. After converting the grade, the program should display the numeric grade and the equivalent letter grade.

Sure! Here's a program in Python that asks the user to input a grade and converts it into the equivalent letter grade:

```python
# Define the function to convert the grade to letter grade
def Letter_Grade(grade):
if grade >= 90 and grade <= 100:
return "A"
elif grade >= 80 and grade <= 89:
return "B"
elif grade >= 70 and grade <= 79:
return "C"
elif grade >= 65 and grade <= 69:
return "D"
else:
return "F"

# Ask the user to input the grade
grade = int(input("Enter the grade (0-100): "))

# Convert the grade to letter grade using the function
letter_grade = Letter_Grade(grade)

# Display the numeric grade and the equivalent letter grade
print("Numeric Grade:", grade)
print("Letter Grade:", letter_grade)
```

To run this program, you can copy and paste it into a Python IDE or text editor, and then save it with a .py extension (e.g., myprogram.py). Then you can run it by executing the Python script using the python command.

When you run the program, it will prompt you to enter a grade within the range of 0 to 100. After you enter the grade, it will convert it to the equivalent letter grade using the `Letter_Grade` function and display both the numeric and letter grades.