I'd like the script to output 159 random numbers between "0.04" and "4.5" that have a total that matches the target total. Here is what I have so far, but this only generates 142 numbers. How can I enforce it to create 159 numbers?
import random
target_total = 298.51
total_numbers = 159
min_value = 0.04
max_value = 4.50
random_numbers = []
for i in range(total_numbers - 1):
# Generate a random number within the specified range
num = round(random.uniform(min_value, max_value), 2) # Limit to 2 decimal places
# Append the number to the list
random_numbers.append(num)
# Calculate the current sum of numbers
current_sum = round(sum(random_numbers), 2)
# If the current sum exceeds the target total, remove the last number
while current_sum > target_total:
excess = current_sum - target_total
random_numbers.remove(random_numbers[-1])
current_sum = round(current_sum - excess, 2)
# The last number is adjusted to reach the target total
last_num = round(target_total - sum(random_numbers), 2)
random_numbers.append(last_num)
# Print each generated number with row numbers on a new line
for i, num in enumerate(random_numbers, start=1):
print(f"Row {i}: {num}")
print("Total sum:", round(sum(random_numbers), 2))
The problem lies here is: Though the max_value is 4.50, if more numbers of random numbers created is near the maximum value, To achieve the target total will be reached with lesser numbers of total numbers. Also, The loop will continue to endless numbers if we use this method. So we have to decide the max_value ourselves. Here I have given a better method. And explanation is given inside:
If you want every random number should be unique at any cost, you can add a while loop after the line 18. i.e I've included the line after which you should insert the following code