525. 连续数组
给定一个二进制数组
nums
, 找到含有相同数量的0
和1
的最长连续子数组,并返回该子数组的长度。示例 1:
输入: nums = [0,1] 输出: 2 说明: [0, 1] 是具有相同数量 0 和 1 的最长连续子数组。示例 2:
输入: nums = [0,1,0] 输出: 2 说明: [0, 1] (或 [1, 0]) 是具有相同数量0和1的最长连续子数组。提示:
1 <= nums.length <= 105
nums[i]
不是0
就是1
解法一:暴力枚举
class Solution {
public:int findMaxLength(vector<int>& nums) {int n = nums.size();int ret = 0;for(int i = 0; i < n; i++){int hash[2] = {0};for(int j = i; j < n; j++){hash[nums[j]]++;if(hash[0] == hash[1])ret = max(ret, j-i+1);}}return ret;}
};
class Solution {
public:int findMaxLength(vector<int>& nums) {int n = nums.size();// for(int i = 0; i < n; i++) // 把所有0替换为-1// if(nums[i] == 0)// nums[i] = -1;map<int,int> hash;hash[0] = -1; // 默认有一个前缀和为0的情况int sum = 0, ret = 0;for(int i = 0; i < n; i++){sum += nums[i] == 0 ? -1 : 1; // 使用三目运算符把所有0替换为-1if(hash.find(sum) != hash.end()) ret = max(ret, i - hash[sum]);else hash[sum] = i;}return ret;}
};