web-dev-qa-db-ja.com

java codility Max-Counters

私は以下のタスクを解決しようとしています:

最初に0に設定されたN個のカウンターが与えられ、それらに対して2つの可能な操作があります。

    increase(X) − counter X is increased by 1,
    max_counter − all counters are set to the maximum value of any counter.

M個の整数の空でないゼロインデックス付き配列Aが指定されます。この配列は連続した操作を表します:

    if A[K] = X, such that 1 ≤ X ≤ N, then operation K is increase(X),
    if A[K] = N + 1 then operation K is max_counter.

たとえば、次のような整数N = 5と配列Aが与えられたとします。

A[0] = 3
A[1] = 4
A[2] = 4
A[3] = 6
A[4] = 1
A[5] = 4
A[6] = 4

各連続操作後のカウンターの値は次のようになります。

(0, 0, 1, 0, 0)
(0, 0, 1, 1, 0)
(0, 0, 1, 2, 0)
(2, 2, 2, 2, 2)
(3, 2, 2, 2, 2)
(3, 2, 2, 3, 2)
(3, 2, 2, 4, 2)

目標は、すべての操作の後にすべてのカウンターの値を計算することです。

struct Results {
  int * C;
  int L;
}; 

関数を書く:

struct Results solution(int N, int A[], int M); 

整数NとMの整数で構成される空でないゼロインデックスの配列Aが与えられると、カウンターの値を表す整数のシーケンスを返します。

シーケンスは次のように返されます。

    a structure Results (in C), or
    a vector of integers (in C++), or
    a record Results (in Pascal), or
    an array of integers (in any other programming language).

たとえば、次の場合:

A[0] = 3
A[1] = 4
A[2] = 4
A[3] = 6
A[4] = 1
A[5] = 4
A[6] = 4

上記で説明したように、関数は[3、2、2、4、2]を返す必要があります。

と仮定する:

    N and M are integers within the range [1..100,000];
    each element of array A is an integer within the range [1..N + 1].

複雑:

    expected worst-case time complexity is O(N+M);
    expected worst-case space complexity is O(N), beyond input storage (not counting the storage required for input arguments).

入力配列の要素は変更できます。

これが私の解決策です:

import Java.util.Arrays;

class Solution {
    public int[] solution(int N, int[] A) {

        final int condition = N + 1;
        int currentMax = 0;
        int countersArray[] = new int[N];

        for (int iii = 0; iii < A.length; iii++) {
            int currentValue = A[iii];
            if (currentValue == condition) {
                Arrays.fill(countersArray, currentMax);
            } else {
                int position = currentValue - 1;
                int localValue = countersArray[position] + 1;
                countersArray[position] = localValue;

                if (localValue > currentMax) {
                    currentMax = localValue;
                }
            }

        }

        return countersArray;
    }
}

これがコードの評価です。 https://codility.com/demo/results/demo6AKE5C-EJQ/

このソリューションのどこが悪いのか教えてください。

21
pshemek

問題は次のコードで発生します。

_for (int iii = 0; iii < A.length; iii++) {
     ...
     if (currentValue == condition) {
         Arrays.fill(countersArray, currentMax);
     }
     ...
}
_

配列Aのすべての要素が値_N+1_で初期化されたとします。関数呼び出しArrays.fill(countersArray, currentMax)の時間複雑度はO(N)であるため、アルゴリズム全体の時間複雑度はO(M * N)になります。これを修正する方法は、_max_counter_オペレーションが呼び出されたときに配列全体Aを明示的に更新する代わりに、最後の更新の値を変数として保持できると思います。最初の操作(増分)が呼び出されると、増分しようとする値が_last_update_より大きいかどうかがわかります。値が1の場合は値を更新するだけで、それ以外の場合は_last_update + 1_に初期化します。 2番目の操作が呼び出されたら、_last_update_を_current_max_に更新するだけです。そして最後に、終了して最終的な値を返そうとすると、再び各値を_last_update_と比較します。それより大きい場合は値を保持するだけで、そうでない場合は_last_update_を返します

_class Solution {
    public int[] solution(int N, int[] A) {

        final int condition = N + 1;
        int currentMax = 0;
        int lastUpdate = 0;
        int countersArray[] = new int[N];

        for (int iii = 0; iii < A.length; iii++) {
            int currentValue = A[iii];
            if (currentValue == condition) {
                lastUpdate = currentMax
            } else {
                int position = currentValue - 1;
                if (countersArray[position] < lastUpdate)
                    countersArray[position] = lastUpdate + 1;
                else
                    countersArray[position]++;

                if (countersArray[position] > currentMax) {
                    currentMax = countersArray[position];
                }
            }

        }

        for (int iii = 0; iii < N; iii++)
           if (countersArray[iii] < lastUpdate)
               countersArray[iii] = lastUpdate;

        return countersArray;
    }
}
_
31
sve

問題は、多くのmax_counter操作を取得すると、Arrays.fillへの呼び出しが多くなり、ソリューションが遅くなることです。

currentMaxcurrentMinを保持する必要があります:

  • max_counterを取得したら、currentMin = currentMaxを設定するだけです。
  • 別の値を取得したら、それをi:と呼びましょう。
    • i - 1の位置の値がcurrentMin以下の場合は、currentMin + 1に設定します。
    • それ以外の場合は、増分します。

最後に、counters配列をもう一度調べて、currentMin未満のすべてをcurrentMinに設定します。

9
andredor

私が開発した、検討する価値のある別のソリューション: http://codility.com/demo/results/demoM658NU-DYR/

5
moda

これはこの質問の100%の解決策です。

// you can also use imports, for example:
// import Java.math.*;
class Solution {
    public int[] solution(int N, int[] A) {
        int counter[] = new int[N];
        int n = A.length;
        int max=-1,current_min=0;

        for(int i=0;i<n;i++){
            if(A[i]>=1 && A[i]<= N){
                if(counter[A[i] - 1] < current_min) counter[A[i] - 1] = current_min;
                counter[A[i] - 1] = counter[A[i] - 1] + 1;
                if(counter[A[i] - 1] > max) max = counter[A[i] - 1];
            }
            else if(A[i] == N+1){
                current_min = max;
            }
        }
        for(int i=0;i<N;i++){
            if(counter[i] < current_min) counter[i] =  current_min;
        }
        return counter;
    }
}
4
Piyush Beli

これが、Cdilityで100になった私のC++ソリューションです。概念は上記で説明したものと同じです。

int maxx=0;
int lastvalue=0;
void set(vector<int>& A, int N,int X)
    {
        for ( int i=0;i<N;i++)
            if(A[i]<lastvalue)
                A[i]=lastvalue;
    }

vector<int> solution(int N, vector<int> &A) {
    // write your code in C++11

    vector<int> B(N,0);
    for(unsigned int i=0;i<A.size();i++)
        {
            if(A[i]==N+1)
               lastvalue=maxx;

            else
            {   if(B[A[i]-1]<lastvalue)
                    B[A[i]-1]=lastvalue+1;
                else
                    B[A[i]-1]++;
                if(B[A[i]-1]>maxx)
                    maxx=B[A[i]-1];
            }

        }
        set(B,N,maxx);
    return B;
}
1
piyush121
vector<int> solution(int N, vector<int> &A)
{
    std::vector<int> counters(N);
    auto max = 0;
    auto current = 0;

    for (auto& counter : A)
    {
        if (counter >= 1 && counter <= N)
        {
            if (counters[counter-1] < max)
                counters[counter - 1] = max;

            counters[counter - 1] += 1;

            if (counters[counter - 1] > current)
                current = counters[counter - 1];
        }
        else if (counter > N)
            max = current;

    }

    for (auto&& counter : counters)
        if (counter < max)
            counter = max;

    return counters;
}
1
hgedek

100%、O(m + n)

public int[] solution(int N, int[] A) {

    int[] counters = new int[N];
    int maxAIs = 0;
    int minAShouldBe = 0;

    for(int x : A) {
        if(x >= 1 && x <= N) {
            if(counters[x-1] < minAShouldBe) {
                counters[x-1] = minAShouldBe;
            }

            counters[x-1]++;

            if(counters[x-1] > maxAIs) {
                maxAIs = counters[x-1];
            }
        } else if(x == N+1) {
            minAShouldBe = maxAIs;
        }
    }

    for(int i = 0; i < N; i++) {
        if(counters[i] < minAShouldBe) {
            counters[i] = minAShouldBe;
        }
    }

    return counters;
}
0
user5436828

私のJavaソリューション。100%が得られますが、(比較すると)非常に長いです。カウンタを格納するためにHashMapを使用しました。

検出された時間の複雑さ:O(N + M)

import Java.util.*;

class Solution {
  final private Map<Integer, Integer> counters = new HashMap<>();
  private int maxCounterValue = 0;
  private int maxCounterValueRealized = 0;

  public int[] solution(int N, int[] A) {
    if (N < 1) return new int[0];

    for (int a : A) {
      if (a <= N) {
        Integer current = counters.putIfAbsent(a, maxCounterValueRealized + 1);
        if (current == null) {
          updateMaxCounterValue(maxCounterValueRealized + 1);
        } else {
          ++current;
          counters.replace(a, current);
          updateMaxCounterValue(current);
        }
      } else {
        maxCounterValueRealized = maxCounterValue;
        counters.clear();
      }
    }

    return getCountersArray(N);
  }

  private void updateMaxCounterValue(int currentCounterValue) {
    if (currentCounterValue > maxCounterValue)
      maxCounterValue = currentCounterValue;
  }

  private int[] getCountersArray(int N) {
    int[] countersArray = new int[N];

    for (int j = 0; j < N; j++) {
      Integer current = counters.get(j + 1);
      if (current == null) {
        countersArray[j] = maxCounterValueRealized;
      } else {
        countersArray[j] = current;
      }
    }

    return countersArray;
  }
}
0
def sample_method(A,N=5):
    initial_array = [0,0,0,0,0]
for i in A:

    if(i>=1):
      if(i<=N):
        initial_array[i-1]+=1
      else:
        for a in range(len(initial_array)):
          initial_array[a]+=1
    print i
    print initial_array

python with 100% Codility Max counter 100% ==の解決策を示します

def solution(N, A):
"""
Solution at 100% - https://app.codility.com/demo/results/trainingUQ95SB-4GA/
Idea is first take the counter array of given size N
take item from main A one by one + 1 and put in counter array , use item as index
keep track of last max operation
at the end replace counter items with max of local or counter item it self
:param N:
:param A:
:return:
"""
global_max = 0
local_max = 0
# counter array
counter = [0] * N

for i, item in enumerate(A):
    # take item from original array one by one - 1 - minus due to using item as index
    item_as_counter_index = item - 1
    # print(item_as_counter_index)
    # print(counter)
    # print(local_max)
    # current element less or equal value in array and greater than 1
    #         if A[K] = X, such that 1 ≤ X ≤ N, then operation K is increase(X),
    if N >= item >= 1:
        # max of local_max counter at item_as_counter_index
        # increase counter array value and put in counter array
        counter[item_as_counter_index] = max(local_max, counter[item_as_counter_index]) + 1
        # track the status of global_max counter so far
        # this is operation K
        global_max = max(global_max, counter[item_as_counter_index])
    #         if A[K] = N + 1 then operation K is max counter.
    Elif item == N + 1:
        # now operation k is as local max
        # here we need to replace all items in array with this global max
        # we can do using for loop for array length but that will cost bigo n2 complexity
        # example -  for i, item in A: counter[i] = global_max
        local_max = global_max
    # print("global_max each step")
    # print(global_max)

# print("local max so far....")
# print(local_max)
# print("counter - ")
# print(counter)
# now counter array - replace all elements which are less than the local max found so far
# all counters are set to the maximum value of any counter
for i, item in enumerate(counter):
    counter[i] = max(item, local_max)

return counter

結果= solution(1、[3、4、4、6、1、4、4])print( "Sol" + str(result))

0
DPM

ここにリンクの説明を入力

O(N + M)で100%の結果を得た

class Solution {
public int[] solution(int N, int[] A) {
    // write your code in Java SE 8

    int max = 0;
    int[] counter = new int[N];
    int upgrade = 0;

    for ( int i = 0; i < A.length; i++ )
    {
        if ( A[i] <= N )
        {
            if ( upgrade > 0 && upgrade > counter[A[i] - 1 ] )
            {
                counter[A[i] - 1] = upgrade; 
            }

            counter[A[i] - 1 ]++;

            if ( counter[A[i] - 1 ] > max )
                {
                    max = counter[A[i] - 1 ];
                }
        }
        else
        {
            upgrade = max;
        }

    }

    for ( int i = 0; i < N; i++ )
    {
        if ( counter[i] < upgrade)
        {
            counter[i] = upgrade;
        }
    }

    return counter;

}

}

0
yashaswi M

これが私のコードですが、88%の原因で、10000要素に対して2.20ではなく3.80秒かかります。

クラスSolution {

boolean maxCalled;

public int[] solution(int N, int[] A) {

int max =0;
int [] counters = new int [N];
    int temp=0;
    int currentVal = 0;
    for(int i=0;i<A.length;i++){
    currentVal = A[i];
    if(currentVal <=N){
        temp = increas(counters,currentVal);
        if(temp > max){
        max = temp;
        }
    }else{
        if(!maxCalled)
        maxCounter(counters,max);
    }

    }

    return counters;

}


int increas (int [] A, int x){  
 maxCalled = false;
 return ++A[x-1];  
 //return t;
}

void maxCounter (int [] A, int x){
 maxCalled = true;
  for (int i = 0; i < A.length; i++) {
 A[i] = x;
  }

}

}

0
Tamer Saleh

Heraは私のAC Javaソリューションです。アイデアは@Inwvrが説明したものと同じです:

public int[] solution(int N, int[] A) {
        int[] count = new int[N];
        int max = 0;
        int lastUpdate = 0;
        for(int i = 0; i < A.length; i++){
            if(A[i] <= N){
                if(count[A[i]-1] < lastUpdate){
                    count[A[i]-1] = lastUpdate+1;   
                }
                else{
                    count[A[i]-1]++;
                }    
                max = Math.max(max, count[A[i]-1]);
            }
            else{
                lastUpdate = max;   
            }
        }  
        for(int i = 0; i < N; i++){
            if(count[i] < lastUpdate)
                count[i] = lastUpdate;
        }    
        return count;
    }
0
sammy333

python 3.6を使用した私のソリューションは次のとおりです。結果は100%の正確さですが、40%のパフォーマンスです(それらのほとんどはタイムアウトが原因でした)。それでもこのコードを最適化する方法を理解できませんが、うまくいけば誰かが見つけることができますそれは便利です。

def solution(N, A):
    count = [0]*(N+1)
    for i in range(0,len(A)):
        if A[i] >=1 and A[i] <= N:
            count[A[i]] += 1
        Elif A[i] == (N+1): 
            count = [max(count)] * len(count)
    count.pop(0)
    return count
0

Java(100/100)のソリューション

    class Solution {
    public int[] solution(int N, int[] A) {
        // write your code in Java SE 8
        int[] result = new int[N];
        int base = 0;
        int max = 0;
        int needToChange=A.length;;
        for (int k = 0; k < A.length; k++) {
            int X = A[k];
            if (X >= 1 && X <= N) {

                if (result[X - 1] < base) {
                    result[X - 1] = base;
                }
                result[X - 1]++;
                if (max < result[X - 1]) {
                    max = result[X - 1];
                }
            }
            if (X == N + 1) {
                base = max;
                needToChange= X-1;

            }
        }
        for (int i = 0; i < needToChange; i++) {
            if (result[i] < base) {
                result[i] = base;
            }
        }
        return result;

    }

}
0
user10169909

これが私のpythonソリューションです:

def solution(N, A):
    # write your code in Python 3.6
    RESP = [0] * N
    MAX_OPERATION = N + 1
    current_max = 0
    current_min = 0
    for operation in A:
        if operation != MAX_OPERATION:
            if RESP[operation-1] <= current_min:
                RESP[operation-1] = current_min + 1
            else:
                RESP[operation-1] += 1

            if RESP[operation-1] > current_max:
                current_max = RESP[operation-1]
        else:
            if current_min == current_max:
                current_min += 1
            else:
                current_min = current_max

    for i, val in enumerate(RESP):
        if val < current_min:
            RESP[i] = current_min
    return RESP
0
diofeher

配列インターレーション内のArrays.fill()呼び出しにより、プログラムはO(N ^ 2)になります

ここ は、O(M + N)ランタイムを持つ可能なソリューションです。

アイデアは-

  1. 2番目の操作では、増分によって達成される最大値を追跡します。これは、現在の反復までの基本値です。これ以上の値はありません。

  2. 最初の操作では、インクリメントの前に必要に応じて値をベース値にリセットします。

    public static int [] solution(int N、int [] A){int counters [] = new int [N];

    int base = 0;
    int cMax = 0;
    
    for (int a : A) {
        if (a > counters.length) {
            base = cMax;
        } else {
            if (counters[a - 1] < base) {
                counters[a - 1] = base;
            }
    
            counters[a - 1]++;
    
            cMax = Math.max(cMax, counters[a - 1]);
        }
    }
    
    for (int i = 0; i < counters.length; i++) {
        if (counters[i] < base) {
            counters[i] = base;
        }
    }
    
    return counters;
    

    }

0
shakhawat

TypeScript:

_function counters(numCounters: number, operations: number[]) {
const counters = Array(numCounters)

let max = 0
let currentMin = 0

for (const operation of operations) {
    if (operation === numCounters + 1) {
        currentMin = max
    } else {
        if (!counters[operation - 1] || counters[operation - 1] < currentMin) {
            counters[operation - 1] = currentMin
        }

        counters[operation - 1] = counters[operation - 1] + 1

        if (counters[operation - 1] > max) {
            max += 1
        }
    }
}

for (let i = 0; i < numCounters; i++) {
    if (!counters[i] || counters[i] < currentMin) {
        counters[i] = currentMin
    }
}

return counters
_

}

console.log(solution=${counters(5, [3, 4, 4, 6, 1, 4, 4])}

0
Karim Varela

私のJavaソリューションでは、必要なときにのみsolution []の値を更新し、最後に正しい値でsolution []を更新しました。

public int[] solution(int N, int[] A) {
    int[] solution = new int[N];
    int maxCounter = 0;
    int maxCountersSum = 0;
    for(int a: A) {
        if(a >= 1 && a <= N) {
            if(solution[a - 1] < maxCountersSum)
                solution[a - 1] = maxCountersSum;
            solution[a - 1]++;
            if(solution[a - 1] > maxCounter)
                maxCounter = solution[a - 1];
        }
        if(a == N + 1) {
            maxCountersSum = maxCounter;
        }
    }
    for(int i = 0; i < N; i++) {
        if(solution[i] < maxCountersSum)
            solution[i] = maxCountersSum;
    }

    return solution;
}
0
Andrij

私は別のJava 100ソリューションを追加しています。いくつかのテストケースがあり、それらが役立つ場合があります。

// https://codility.com/demo/results/demoD8J6M5-K3T/ 77
// https://codility.com/demo/results/demoSEJHZS-ZPR/ 100
public class MaxCounters {

  // Some testcases
  // (1,[1,2,3]) = [1]
  // (1,[1]) = [1]
  // (1,[5]) = [0]
  // (1,[1,1,1,2,3]) = 3
  // (2,[1,1,1,2,3,1]) = [4,3]
  // (5, [3, 4, 4, 5, 1, 4, 4]) = (1, 0, 1, 4, 1)
  public int[] solution(int N, int[] A) {
      int length = A.length, maxOfCounter = 0, lastUpdate = 0;
      int applyMax = N + 1;
      int result[] = new int[N];

      for (int i = 0; i < length; ++i ) {
          if(A[i] == applyMax){
              lastUpdate = maxOfCounter;
          } else if (A[i] <= N)  {
              int position = A[i]-1;
              result[position] = result[position] > lastUpdate
                                        ? result[position] + 1 : lastUpdate + 1;
              // updating the max for future use
              if(maxOfCounter <=  result[position]) {
                  maxOfCounter = result[position];
              }
          }
     }
     // updating all the values that are less than the lastUpdate to the max value
     for (int i = 0; i < N; ++i) {
         if(result[i] < lastUpdate) {
             result[i] = lastUpdate;
         }
     }
     return result;
   }
}
0
moxi

Java(100/100)の私の解決策に従います。

public boolean isToSum(int value, int N) {
    return value >= 1 && value <= N;
}

public int[] solution(int N, int[] A) {
    int[] res = new int[N];
    int max =0;
    int minValue = 0;

    for (int i=0; i < A.length; i++){
        int value = A[i];
        int pos = value -1;
        if ( isToSum(value, N)) {
            if( res[pos] < minValue) {
                res[pos] = minValue;
            }
            res[pos] += 1;
            if (max < res[pos]) {
                max = res[pos];
            }
        } else {
            minValue = max;
        }
    }

    for (int i=0; i < res.length; i++){
        if ( res[i] < minValue ){
            res[i] = minValue;
        }
    }
    return res;
}
0
Camila Macedo

Java 100%/ 100%、インポートなし


public int[] solution(int N, int[] A) {

int[] counters = new int[N]; int currentMax = 0; int sumOfMaxCounters = 0; boolean justDoneMaxCounter = false; for (int i = 0; i < A.length ; i++) { if (A[i] <= N) { justDoneMaxCounter = false; counters[A[i]-1]++; currentMax = currentMax < counters[A[i]-1] ? counters[A[i]-1] : currentMax; }else if (!justDoneMaxCounter){ sumOfMaxCounters += currentMax; currentMax = 0; counters = new int[N]; justDoneMaxCounter = true; } } for (int j = 0; j < counters.length; j++) { counters[j] = counters[j] + sumOfMaxCounters; } return counters; }
0
Wovtza

100ポイントのJavaScriptソリューションには、繰り返されるmax_counter反復を無視するためのパフォーマンスの向上が含まれます。

function solution(N, A) {
    let max = 0;
    let counters = Array(N).fill(max);
    let maxCounter = 0;

    for (let op of A) {
        if (op <= N && op >= 1) {
            maxCounter = 0;
            if (++counters[op - 1] > max) {
                max = counters[op - 1];
            }
        } else if(op === N + 1 && maxCounter === 0) {
            maxCounter = 1;
            for (let i = 0; i < counters.length; i++) {
                counters[i] = max;   
            }
        }
    }

    return counters;
}
0
Vitaly Egorov

PHP=)で100を獲得しました

function solution($N, $A) {
    $B = array(0);
    $max = 0;

    foreach($A as $key => $a) {
        $a -= 1;
        if($a == $N) {
            $max = max($B);
        } else {
            if(!isset($B[$a])) {
                $B[$a] = 0;
            }

            if($B[$a] < $max) {
                $B[$a] = $max + 1;
            } else {
                $B[$a] ++;
            }

        }

    }

    for($i=0; $i<$N; $i++) {
        if(!isset($B[$i]) || $B[$i] < $max) {
            $B[$i] = $max;
        }

    }

    return $B;


}
0
Eric Kittell

これは、問題に対する別のC++ソリューションです。

理論的根拠は常に同じです。

  1. 命令2ですべてのカウンターを最大カウンターに設定しないでください。これにより、O(N * M)が複雑になります。
  2. 1つのカウンターで別のオペレーションコードを取得するまで待ちます。
  3. この時点で、アルゴリズムはmax_counterに達したかどうかを記憶し、その結果としてカウンター値を設定します。

ここにコード:

vector<int> MaxCounters(int N, vector<int> &A) 
{
    vector<int> n(N, 0);
    int globalMax = 0;
    int localMax = 0;

    for( vector<int>::const_iterator it = A.begin(); it != A.end(); ++it)
    {
        if ( *it >= 1 && *it <= N)
        {
            // this is an increase op.
            int value = *it - 1;
            n[value] = std::max(n[value], localMax ) + 1;
            globalMax = std::max(n[value], globalMax);
        }
        else
        {
            // set max counter op.
            localMax = globalMax;
        }
    }

    for( vector<int>::iterator it = n.begin(); it != n.end(); ++it)
        *it = std::max( *it, localMax );

    return n;
}
0
GrayMouser
  vector<int> solution(int N, vector<int> &A) 
{
    std::vector<int> counter(N, 0); 
    int max = 0;
    int floor = 0;

    for(std::vector<int>::iterator i = A.begin();i != A.end(); i++)
    {
        int index = *i-1;
        if(*i<=N && *i >= 1)
        {
            if(counter[index] < floor)
              counter[index] = floor;
            counter[index] += 1;
            max = std::max(counter[index], max);
        }
        else
        {
            floor = std::max(max, floor);
        }
    }
    for(std::vector<int>::iterator i = counter.begin();i != counter.end(); i++)
    {
       if(*i < floor)
         *i = floor;
    }
    return counter;
}
0
JonathanC

私の解決策は:

public class Solution {  

        public int[] solution(int N, int[] A) {

            int[] counters = new int[N];
            int[] countersLastMaxIndexes = new int[N];
            int maxValue = 0;
            int fixedMaxValue = 0;
            int maxIndex = 0;
            for (int i = 0; i < A.length; i++) {
                if (A[i] <= N) {
                    if (countersLastMaxIndexes[A[i] - 1] != maxIndex) {
                        counters[A[i] - 1] = fixedMaxValue;
                        countersLastMaxIndexes[A[i] - 1] = maxIndex;

                    }
                    counters[A[i] - 1]++;
                    if (counters[A[i] - 1] > maxValue) {
                        maxValue = counters[A[i] - 1];
                    }
                } else {
                    maxIndex = i;
                    fixedMaxValue = maxValue;
                }

            }
            for (int i = 0; i < countersLastMaxIndexes.length; i++) {
                if (countersLastMaxIndexes[i] != maxIndex) {
                    counters[i] = fixedMaxValue;
                    countersLastMaxIndexes[i] = maxIndex;
                }
            }

            return counters;
        }
}
0