Я пытаюсь решить следующую задачу:
Вам предоставляется N счетчиков, изначально заданных в 0, и у вас есть две возможные операции над ними:
increase(X) − counter X is increased by 1,
max_counter − all counters are set to the maximum value of any counter.
Дается непустой нуль-индексированный массив A из целых чисел M. Этот массив представляет собой последовательные операции:
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 и непустой нуль-индексированный массив A, состоящий из M целых чисел, возвращает последовательность целых чисел, представляющих значения счетчиков.
Последовательность должна быть возвращена как:
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/
Можете ли вы дать мне подсказку, что не так с этим решением?