Create a program that determine the shipping cost for an order based on the following table:

From To Price
$0.00 $19.99 $2.95
$20.00 $49.99 $3.95
$50.00 $79.99 $4.95
$75.00 $1000.00 Free

To create a program that determines the shipping cost for an order based on the given table, you can use conditional statements in your code. Here's an example program in Python:

```python
def calculate_shipping_cost(order_total):
if order_total >= 0 and order_total < 20:
shipping_cost = 2.95
elif order_total < 50:
shipping_cost = 3.95
elif order_total < 80:
shipping_cost = 4.95
else:
shipping_cost = 0

return shipping_cost

# Example usage:
order_total = float(input("Enter the order total: $"))
shipping_cost = calculate_shipping_cost(order_total)
print("Shipping cost: $" + str(shipping_cost))
```

In this program, the `calculate_shipping_cost` function takes the `order_total` as input and uses conditional statements (`if`, `elif`, `else`) to determine the appropriate shipping cost based on the given table.

- If the `order_total` is between $0.00 and $19.99, the shipping cost is $2.95.
- If the `order_total` is between $20.00 and $49.99, the shipping cost is $3.95.
- If the `order_total` is between $50.00 and $79.99, the shipping cost is $4.95.
- If the `order_total` is $75.00 or more, the shipping cost is free (0).

You can call this function with the order total as an input and it will return the shipping cost. The program example also demonstrates how you can use the function by accepting user input for the order total and printing the calculated shipping cost.