Given a string array words, find the maximum value of length(word[i])
* length(word[j]) where the two words do not share common letters. You may assume that each word will contain only lower case letters. If no such two words exist, return 0.
Example 1:
Given ["abcw", "baz", "foo", "bar", "xtfn", "abcdef"]
Return 16
The two words can be "abcw", "xtfn".
Example 2:
Given ["a", "ab", "abc", "d", "cd", "bcd", "abcd"]
Return 4
The two words can be "ab", "cd".
Example 3:
Given ["a", "aa", "aaa", "aaaa"]
Return 0
No such pair of words.
Solution:
The idea to compare whether two words has the same letter is to use bit representation for each word, or int.
a is the last bit of the int and z is the 26th bit in the int.
CODE:
public class Solution {
public int maxProduct(String[] words) {
int[] bits = new int[words.length];
for(int i = 0 ; i < words.length; i++){
for(char c : words[i].toCharArray()){
bits[i] |= 1 << (c - 'a');
}
}
int ret = 0;
for(int i = 0 ; i < bits.length - 1; i++){
for(int j = 0; j < bits.length; j++){
if((bits[i] & bits[j]) == 0){
ret = Math.max(ret,words[i].length() * words[j].length());
}
}
}
return ret;
}
}
Another similar question is that there is a matrix contains 0s and 1s, find the number of rectangle where all the four corner is 1.
if we check to rows,
111011,
011110
and do the & operation.
011010, there are 3 1s in the result, so the number would be pick 2 out of 3 is 6;
本文介绍了一种寻找两个字符串中不重复字符的方法,并通过位运算来高效判断两个单词是否有共同字母,以此来找出最大长度乘积的两个单词。同时,还提到了另一种类似的问题,即在一个包含0和1的矩阵中寻找四个角都是1的矩形数量。
304

被折叠的 条评论
为什么被折叠?



