Problem Journey

Max Consecutive Ones

Easy | Array | Solved: Jan 29, 2026
View on LeetCode →

Complexity Analysis

Time Complexity: O(n)

Space Complexity: O(1)

Problem Description

Given a binary array nums, return the maximum number of consecutive 1’s in the array.

Approach

Re-indexing or Interleaving

Solution

class Solution {
    public int findMaxConsecutiveOnes(int[] nums) {
        int maxcount = 0;
        int temp = 0;
        int n = nums.length;
        if(n==1){
            if(nums[0]==1){
                return 1;
            }
            else{
                return 0;
            }
        }
        for(int i=0;i<n-1;i++){

            if(nums[i]==0){
                if(temp>=maxcount){
                    maxcount = temp;
                }
                temp = 0;
                continue;
            }
            if(nums[i]==1 && temp==0){
                temp++;
            }
            if(nums[i]==1 && nums[i+1]==1){
                temp++;
            }
        }

        if(temp==0 && maxcount==0 && nums[n-1]==1){
            return 1;
        }
        if(temp>=maxcount){
            maxcount = temp;
        }

        return maxcount;
    }
}

Solution

time_complexity: "O(n)" space_complexity: "O(1)"

class Solution {
    public int findMaxConsecutiveOnes(int[] nums) {
        int maxcount = 0;
        int temp = 0;
        int n = nums.length;
        for(int i=0;i<n;i++){
            if(nums[i]==1){
                temp++;
            }
            else{
                if(temp>maxcount){
                    maxcount = temp;
                }  
                temp = 0;
            }
        }
        if(temp>maxcount){
            maxcount = temp;
        } 
        return maxcount;
    }
}