algorithm-base/animation-simulation/数组篇/leetcode485最大连续1的个数.md

110 lines
3.8 KiB
Java
Raw Blame History

This file contains ambiguous Unicode characters!

This file contains ambiguous Unicode characters that may be confused with others in your current locale. If your use case is intentional and legitimate, you can safely ignore this warning. Use the Escape button to highlight these characters.

> **[tan45du_one](https://raw.githubusercontent.com/tan45du/tan45du.github.io/master/个人微信.15egrcgqd94w.jpg)** ,备注 github + 题目 + 问题 向我反馈
>
>
>
> <u>[****](https://raw.githubusercontent.com/tan45du/test/master/微信图片_20210320152235.2pthdebvh1c0.png)</u> 两个平台同步,想要和题友一起刷题,互相监督的同学,可以在我的小屋点击<u>[**刷题小队**](https://raw.githubusercontent.com/tan45du/test/master/微信图片_20210320152235.2pthdebvh1c0.png)</u>进入。
#### [485. 1 ](https://leetcode-cn.com/problems/max-consecutive-ones/)
1
1:
> : [1,1,0,1,1,1]
> : 3
> : 11 3.
100% , Math.max()使 right 1 1
right - left 1 right 0 right - left + 1
使 while 0 1 left left = right
![leetcode4851](https://cdn.jsdelivr.net/gh/tan45du/test1@master/20210122/leetcode485最长连续1的个数.7avzcthkit80.gif)
```java
class Solution {
public int findMaxConsecutiveOnes(int[] nums) {
int len = nums.length;
int left = 0, right = 0;
int maxcount = 0;
while (right < len) {
if (nums[right] == 1) {
right++;
continue;
}
//保存最大值
maxcount = Math.max(maxcount, right - left);
//跳过 0 的情况
while (right < len && nums[right] == 0) {
right++;
}
//同一起点继续遍历
left = right;
}
return Math.max(maxcount, right-left);
}
}
```
1 nums[i] == 1 count++nums[i] 0 count count 1
Java Code:
```java
class Solution {
public int findMaxConsecutiveOnes(int[] nums) {
int count = 0;
int maxcount = 0;
for (int i = 0; i < nums.length; ++i) {
if (nums[i] == 1) {
count++;
//这里可以改成 while
} else {
maxcount = Math.max(maxcount,count);
count = 0;
}
}
return Math.max(count,maxcount);
}
}
```
Python3 Code:
```py
class Solution:
def findMaxConsecutiveOnes(self, nums: List[int]) -> int:
ans = i = t = 0
for j in range(len(nums)):
if nums[j] == 1:
t += 1
ans = max(ans, t)
else:
i = j + 1
t = 0
return ans
```