Write a program that computes the cost of a long distance call. The cost of the call is determined according to the following rate schedules.

a.A call made between 8:00 AM and 6:00 PM is billed at a rate of 6 rupees per minute.
b.A call made before 8:00 AM or after 6:00 PM is charged at a rate of 3.75 rupees.
The input to the program will consist of the time the call started, and the length of call in minutes. The output will be the cost of call. The time is to be input in 24-hours notation, so the time 1:30 PM is input as 13:30. The time will be input using two variables of type int, one used for hour and other used for minutes. The number of the minutes for length of the call will also be input as a value of type int.

No one will write this program for you. You need to write it yourself and post it here for critique.

Sure! Here's a program in Python that computes the cost of a long distance call based on the provided rate schedules:

```python
# Input the time the call started
hour = int(input("Enter the hour the call started (in 24-hours notation): "))
minutes = int(input("Enter the minutes the call started: "))

# Input the length of the call in minutes
call_length = int(input("Enter the length of the call in minutes: "))

# Compute the cost of the call
if hour >= 8 and hour < 18: # between 8:00 AM and 6:00 PM
rate = 6.0
else: # before 8:00 AM or after 6:00 PM
rate = 3.75

cost = rate * call_length

# Output the cost of the call
print("The cost of the call is:", cost, "rupees.")
```

To run this program, you can copy and paste it into a Python IDE or editor, then run it.

The program first prompts the user to enter the hour and minutes the call started, and the length of the call in minutes. It then calculates the cost of the call based on the rate schedules and outputs the result.

Note: This program assumes that the user will enter valid input for the hour (0-23), minutes (0-59), and call length (positive integer). It does not perform any input validation.