We define a harmonious array as an array where the difference between its maximum value and its minimum value is exactly1.
Given an integer array nums, return the length of its longest harmonious subsequence among all its possible subsequences.
A subsequence of array is a sequence that can be derived from the array by deleting some or no elements without changing the order of the remaining elements.
Example 1:
Input: nums = [1,3,2,2,5,2,3,7]
Output: 5
Explanation: The longest harmonious subsequence is [3,2,2,2,3].
public int findLHS(int[] nums) {
if (nums == null || nums.length == 0) {
return 0;
}
int res = 0;
for (int i = 0; i < (1 << nums.length); i++) {
int count = 0;
int max = Integer.MIN_VALUE;
int min = Integer.MAX_VALUE;
for (int j = 0; j < nums.length; j++) {
if ((i & (1 << j)) != 0) {
int cur = nums[j];
max = Math.max(max, cur);
min = Math.min(min, cur);
count++;
}
}
if (max - min == 1) {
res = Math.max(res, count);
}
}
return res;
}
解法二:还是很brute force的,但是,这个只用T:O(n^2)和S:O(1)。这里,我们先定了这个sequence一定要包含某数nums[i]。然后,我们从头扫到尾,找等于这个数或者比这个数大1的数。然后每次更新result。因为一定要diff by 1,所以要多加一个flag来记录有没有找到过diff by 1.
public int findLHS(int[] nums) {
if (nums == null || nums.length == 0) {
return Integer.MIN_VALUE;
}
int longest = 0;
for (int i = 0; i < nums.length; i++) {
boolean flag = false;
int count = 0;
for (int j = 0; j < nums.length; j++) {
if (nums[i] == nums[j]) {
count++;
} else if (nums[i] == nums[j] + 1) {
count++;
flag = true;
}
}
if (flag) {
longest = Math.max(longest, count);
}
}
return longest;
}
解法三:排序再找。我们用count和pre_count来记录,每次我们找到同样的,就算到pre_count里。因为max和min一定要diff by one,所以不能直接加起来就算。当我们看到nums[i] - nums[i - 1] == 1的时候,才真正把结果加到count里。找到比现在数字大的数时,记得继续找。找到头了,才算result。还得记得把这个count赋值给pre_count。因为可能下一个数比这个多一,我们要循环继续算。T:O(nlogn)
public int findLHS(int[] nums) {
if (nums == null || nums.length == 0) {
return Integer.MIN_VALUE;
}
Arrays.sort(nums);
int res = 0;
int pre_count = 1;
for (int i = 0; i < nums.length; i++) {
// 一开始要把自己算上,所以是1
int count = 1;
if (i > 0 && nums[i] - nums[i - 1] == 1) {
while (i < nums.length - 1 && nums[i] == nums[i + 1]) {
count++;
i++;
}
res = Math.max(res, count + pre_count);
pre_count = count;
} else {
while (i < nums.length - 1 && nums[i] == nums[i + 1]) {
count++;
i++;
}
pre_count = count;
}
}
return res;
}