-
-
Save rafaeljesus/6a798974b483cb2f0fe318050cb84646 to your computer and use it in GitHub Desktop.
Facebook's How to Crush Your Coding Interview.
Problem:
Write a function that given a string, returns all nearby words.
You are given the following helper functions: Set<String> getNearbyChars(char c);
isWord(String word);
This file contains 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 facebook; | |
import java.util.HashSet; | |
import java.util.Set; | |
/** | |
* The complexity of that algorithm is O(n^m), where: | |
* n - the length of a string. | |
* m - number of permutations. | |
*/ | |
public class NearbyWords { | |
public static void main(String[] args) { | |
System.out.println(nearbyWords("gi")); | |
} | |
static Set<String> nearbyWords(String input) { | |
char[] letters = input.toCharArray(); | |
Set<String> nearbyPermutations = nearbyPermutations(letters, 0); | |
Set<String> words = new HashSet<>(); | |
for (String pw : nearbyPermutations) { | |
if (isword(pw)) { | |
words.add(pw); | |
} | |
} | |
return words; | |
} | |
private static Set<String> nearbyPermutations(char[] letters, int index) { | |
if (index >= letters.length) { | |
HashSet<String> strings = new HashSet<>(); | |
strings.add(""); | |
return strings; | |
} | |
Set<String> subWords = nearbyPermutations(letters, index + 1); | |
Set<Character> nearbyLetters = getNearbyChars(letters[index]); | |
return permutations(subWords, nearbyLetters); | |
} | |
private static Set permutations(Set<String> subWords, Set<Character> nearbyLetters) { | |
Set permutations = new HashSet<>(); | |
for (String subWord : subWords) { | |
for (Character letter : nearbyLetters) { | |
permutations.add(letter + subWord); | |
} | |
} | |
return permutations; | |
} | |
//Lame implementation of helpers. | |
private static Set<Character> getNearbyChars(Character character) { | |
HashSet<Character> characters = new HashSet<>(); | |
if (character == 'g') { | |
characters.add('g'); | |
characters.add('h'); | |
characters.add('f'); | |
} else { | |
characters.add('i'); | |
characters.add('o'); | |
characters.add('k'); | |
} | |
return characters; | |
} | |
static boolean isword(String word) { | |
return word.equals("go") || word.equals("hi"); | |
} | |
} |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment