I solved this one quickly by doing some little math:
f(0) = l
f(k) = 2*f(k-1)+1
=> f(k) = pow(2, k)*l + (pow(2, k) - 1)
with f(20000) % 1000000000 = "843997183"
That way I implemented a class which solved the challenge within seconds.
Code: Select all
import java.math.BigInteger;
import java.util.Random;
public class Berechnung {
public static void main(String arg[])
{
// using shortened version of pow(2, k)... in order to reduce calc time
// also only the last 9 digits are interesting
BigInteger twok = new BigInteger("21663406309376");
Random args = new Random(0xb483fL);
long l;
String s;
do
{
while((l = args.nextLong()) < 0L) ;
BigInteger fk;
BigInteger fzero = new BigInteger(Long.toString(l));
s = null;
// f_k = 2^k*(f_0 + 1) - 1
fk = twok.multiply(fzero.add(new BigInteger("1"))).subtract(new BigInteger("1"));
s = fk.toString();
} while(!(s = s.substring(s.length() - 9)).equals("843997183"));
System.out.println(l);
}
}
Using only the last few numbers of pow(2, k) made the trick. I used more than 9 digits just to be sure.
To answer the question of megabreit:
Yeah, using the formula f(k) + 1 = pow(2,k)*(l+1) it is possible to calc all valid numbers.
But as only the last 9 digits matter the result will be all numbers that end with a valid 9 digit sequence.
I tried it and found around 50 9-digit-number-sequences.
Thinking about that any 64 bit number which ends with one of this 50 sequences is a possible solution, you might get the answer faster by simply running the program and being patient.
Fido