Create a program that determine the shipping cpst for an order based on the follwoing table:

From
$0.00
$20.00
$50.00
$75.00

To
$19.99
$49.99
$79.99
$1000.00

Price
$2.95
$3.95
$4.95
Free

Write a program that allows the user to input a total dollar amount for an online shopping order and computes and outputs the shipping cost using RAPTOR

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

To create a program that determines the shipping cost for an order based on the given table, you will need to use conditionals or if-else statements in your code. Here's an example of how you can achieve this in Python:

```python
def calculate_shipping_cost(order_amount):
if 0.00 <= order_amount <= 19.99:
shipping_cost = 2.95
elif 20.00 <= order_amount <= 49.99:
shipping_cost = 3.95
elif 50.00 <= order_amount <= 79.99:
shipping_cost = 4.95
else:
shipping_cost = 0.00 # For orders equal to or above $1000.00, shipping is free
return shipping_cost

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

In this example, the `calculate_shipping_cost()` function takes the order amount as an argument and returns the corresponding shipping cost based on the table provided. The program prompts the user to enter the order amount and calculates the shipping cost using the function. Finally, it displays the calculated shipping cost.

You can customize this code further to suit your programming language preferences or specific requirements, but the logic remains the same: check the order amount against the given ranges and assign the corresponding shipping cost accordingly.