forked from fishercoder1534/Leetcode
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy path_522.java
48 lines (43 loc) · 1.51 KB
/
_522.java
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
package com.fishercoder.solutions;
import java.util.Arrays;
import java.util.Comparator;
public class _522 {
public static class Solution1 {
/**
* Idea: if there's such a LUS there in the list, it must be one of the strings in the given list,
* so we'll just go through the list and check if one string is NOT subsequence of any others, if so, return it, otherwise, return -1
*/
public int findLUSlength(String[] strs) {
Arrays.sort(strs, new Comparator<String>() {
@Override
public int compare(String o1, String o2) {
return o2.length() - o1.length();
}
});
for (int i = 0; i < strs.length; i++) {
boolean found = true;
for (int j = 0; j < strs.length; j++) {
if (i == j) {
continue;
} else if (isSubsequence(strs[i], strs[j])) {
found = false;
break;
}
}
if (found) {
return strs[i].length();
}
}
return -1;
}
private boolean isSubsequence(String a, String b) {
int i = 0;
for (int j = 0; i < a.length() && j < b.length(); j++) {
if (a.charAt(i) == b.charAt(j)) {
i++;
}
}
return i == a.length();
}
}
}