Created
March 14, 2014 06:27
-
-
Save amahfouz/9542993 to your computer and use it in GitHub Desktop.
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
package mahfouz.algo.projeuler; | |
import java.util.ArrayList; | |
import java.util.List; | |
/** | |
* Prints all "Pandigital" numbers as specified in | |
* http://projecteuler.net/problem=38 | |
* | |
* Quick and dirty solution. | |
*/ | |
public final class LargestPandigital { | |
private static final int MAX = 10000; | |
public static void main(String[] args) { | |
int max = -1; | |
for (int candidate = MAX; candidate >= 9; candidate--) { | |
int concat = getPandigitalForNumIfExists(candidate); | |
if (concat > max) | |
max = concat; | |
} | |
System.out.println(max); | |
} | |
/** | |
* Returns the pandigital for the specified number if | |
* one exists, or -1 if none exists. | |
*/ | |
private static int getPandigitalForNumIfExists(int candidate) { | |
boolean[] flags = new boolean[10]; | |
List products = new ArrayList(); | |
int product; | |
for (int i = 1; i < 9; i++) { | |
product = candidate * i; | |
products.add(product); | |
while (product > 0) { | |
int digit = product % 10; | |
if (digit == 0) | |
return -1; // not pandigital if contains a zero | |
if (flags[digit]) | |
return -1; // repeated digit | |
flags[digit] = true; | |
product /= 10; | |
} | |
if (allDigitsOccur(flags)) { | |
StringBuffer concat = new StringBuffer(9); | |
for (Object prod: products) { | |
concat.append(prod); | |
} | |
return Integer.parseInt(concat.toString()); | |
} | |
} | |
// fell through, none of the trials had all digits | |
return -1; | |
} | |
private static boolean allDigitsOccur(boolean[] flags) { | |
for (int i = 1; i < flags.length; i++) { | |
if (! flags[i]) | |
return false; | |
} | |
return true; | |
} | |
} |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment