I lost the combination to an old Master Lock of mine. Fortunately, figuring out the combination for my type of lock is a well-known process. Unfortunately, the previous link's method for finding the third value in the combination did not work for me, but I found instructions that were very helpful. Once the third value is found there is an algorithm to generate 80 possible combinations, which is where Python comes in.
Procedure outline¶
Only apply this method to locks for which you are the sole owner.
- Clear the lock by spinning the dial clockwise by three revolutions, ending with the dial set to zero. 
- Rotate the dial through its twelve "sticking points" and find the non-fake sticking point. This non-fake point is the third value in the lock's combination. 
- Once the third value is found, run the script that follows. 
Sticking points¶
- Sticking points occur when you pull up on the shackle and are only able to rotate the dial by approximately +/- 0.5. 
- Once you've found a sticking point, move to the next one by removing tension from the shackle. Rotate the dial slightly counter-clockwise so that the next sticking point will catch upon tensioning the shackle again. 
A sticking point is likely fake if:¶
- The dial pivots between two whole numbers (e.g., 20 and 21). 
- When you pull up super hard on the shackle the dial's rotation becomes limited. (When I successfully found my third value, the dial rotated by +/-0.5 freely regardless of how much tension I applied to the shackle.) 
Python implementation¶
"""
1. First find the non-fake sticking point (the third value).
2. Enter the third_value below, then run the script.
3. Try each combination until the correct one is found.
"""
# ------------------------
# user-defined input
# ------------------------
# Find the third value manually, then assign it here.
third_value = 20
# ------------------------
# algorithm
# ------------------------
# Divide by 4 and store the remainder.  The remainder is called the
# "magic number"
magic_number = third_value % 4
# Compute the possible values for the first value.
first_values = [magic_number + 4 * i for i in xrange(10)]
# Compute the possible values for the second value.
if magic_number in [0, 1]:
    magic_number += 2
else:
    magic_number -= 2
second_values = [magic_number + 4 * i for i in xrange(10)]
# The two values closest to third_value can be eliminated.
second_values = [v for v in second_values if abs(third_value - v) > 2]
# Compute the possible combinations.
for n1 in first_values:
    for n2 in second_values:
        print('%d - %d - %d' % (n1, n2, third_value))
        # Uncomment the following line to pause the looping.
        # r = raw_input('continue ?')
Download this post's IPython notebook here.
Comments !