Let’s assume you want to guess a certain number(x) within a big range in Python.
A simple external validation function, which you can call as many times as needed, will give you hints:
- If the number being tested is equal to or higher than the lowest valid number, it will, in both cases, return
True
(you may not know explicitly if the number being tested is too high). - Else (if the number is too low) it will return
False
.
What would be the most efficient way to determine the smallest possible valid number? Is there a non-linear approach?
Advertisement
Answer
I don’t know about most efficient, but here is a quite efficient algorithm. It first searches the order of magnitude by taking successive powers of 2. Then it uses dichotomy to narrow down the actual number:
JavaScript
x
30
30
1
num = 123
2
3
lowest = 0
4
guess = 1
5
6
check = lambda : guess >= num
7
8
i=0
9
# find order of magnitude
10
while not check():
11
i+=1
12
#print(guess)
13
lowest = guess
14
guess = guess*2
15
16
# find number
17
highest = guess
18
while lowest != highest-1:
19
i+=1
20
guess = (highest+lowest)//2
21
#print(lowest, guess, highest)
22
if check():
23
highest = guess
24
else:
25
lowest = guess
26
27
guess = highest
28
29
print(f'found {guess} in {i} steps')
30
Example with 123: found 123 in 13 steps
Example with 123456789: found 123456789 in 53 steps
NB. You can uncomment the print
to see the intermediate steps