私は以下のタスクを解決しようとしています:
最初は 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/
このソリューションの何が問題なのか、ヒントを教えてください。