Created
January 19, 2020 00:44
-
-
Save yitonghe00/db7b63d3f23a5848843b95a40ee494b9 to your computer and use it in GitHub Desktop.
953. Verifying an Alien Dictionary (https://leetcode.com/problems/verifying-an-alien-dictionary/): In an alien language, surprisingly they also use english lowercase letters, but possibly in a different order. The order of the alphabet is some permutation of lowercase letters. Given a sequence of words written in the alien language, and the orde…
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
// String + Hash table solution: handling of two string of different length | |
// Time: O(n * l), 0ms | |
// Space: O(1), 43.5mb | |
class Solution { | |
int[] table; // table[alien] = order | |
public boolean isAlienSorted(String[] words, String order) { | |
// Create the mapping table | |
table = new int[26]; | |
for(int i = 0; i < order.length(); i++) { | |
table[order.charAt(i) - 'a'] = i; | |
} | |
// Copmare adjacent words | |
for(int i = 0; i < words.length - 1; i++) { | |
if(isBigger(words[i], words[i + 1])) { | |
return false; | |
} | |
} | |
return true; | |
} | |
private boolean isBigger(String s1, String s2) { | |
// Compare the common parts | |
int length = Math.min(s1.length(), s2.length()); | |
for(int i = 0; i < length; i++) { | |
// Find the first difference | |
char c1 = s1.charAt(i); | |
char c2 = s2.charAt(i); | |
if(c1 != c2) return table[c1 - 'a'] > table[c2 - 'a']; | |
} | |
// If no difference in common parts, check the length in case s1 = "apple", s2 = "app" | |
return s1.length() > s2.length(); | |
} | |
} |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment