Create a Sales application that prompts the user for a series of sales figures and then implements a sorting routine on the sales figures.

Output.
Enter the number of sales made today: 15
Enter the amount of sales 1:25
Enter the amount of sales 2:65
Enter the amount of sales 3:25
Enter the amount of sales 4:15
Enter the amount of sales 5:2

Sorted amounts:
2 15 25 25 65

Which sorting algorithm do you plan to use?

For small number of items (less than 200),
bubble sort is easy to understand and code using for-loops.
For large number of random items, quick sort could be used, but requires the understanding of recursivity.

To create a Sales application that prompts the user for a series of sales figures and implements a sorting routine on the sales figures, you can follow these steps:

1. Define the main function of your application. This will be the entry point of your program.
2. Prompt the user to enter the number of sales made today. This will determine the total number of sales figures the user will input.
3. Create an empty list to store the sales figures.
4. Use a for loop to iterate from 1 to the total number of sales entered by the user.
5. Inside the loop, prompt the user to enter each sales figure and append it to the list created in step 3.
6. Once all the sales figures have been entered, use the sorted() function to sort the list in ascending order.
7. Print the sorted list of sales figures.

Here's a sample code implementation in Python:

```python
def main():
num_sales = int(input("Enter the number of sales made today: "))
sales = []

for i in range(1, num_sales + 1):
sale = float(input(f"Enter the amount for sale {i}: "))
sales.append(sale)

sorted_sales = sorted(sales)
print("\nSorted amounts:")
for amount in sorted_sales:
print(amount, end=" ")

if __name__ == "__main__":
main()
```

When you run the program and enter the sample input provided in your question ("15 25 65 25 15 2"), you should get the following output:

```
Enter the number of sales made today: 6
Enter the amount for sale 1: 15
Enter the amount for sale 2: 25
Enter the amount for sale 3: 65
Enter the amount for sale 4: 25
Enter the amount for sale 5: 15
Enter the amount for sale 6: 2

Sorted amounts:
2.0 15.0 15.0 25.0 25.0 65.0
```

Note: The code above assumes that the sales figures entered are floating-point numbers. If you want to handle different data types or validation, you can modify the code accordingly. Also, feel free to adapt this code to the programming language you are using if it's different from Python.