aboutsummaryrefslogtreecommitdiff
path: root/smallest_missing_non_neg_int.c
blob: 94e0271cfc7c29b22760a86187aae83a04992696 (plain)
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
// 2598. Smallest Missing Non-negative Integer After Operations
#include "leetcode.h"

/*
 * you are given a 0-indexed integer array 'nums' and an integer 'value'. in one
 * operation, you can add or subtract 'value' from any element of 'nums'. the
 * mex (minimum excluded) of an array is the smallest non-negative integer in
 * it. return the mex of 'nums' after applying the mentioned operation any
 * number of times.
 */

int findSmallestInteger(int *nums, int numsSize, int value) {
  long long x, ans = 0;
  int *rem = (int *)calloc(value, sizeof(int));
  for (int i = 0; i < numsSize; i++) {
    x = ((nums[i] % value) + value) % value;
    rem[x]++;
  }
  while (rem[ans % value]--)
    ans++;
  free(rem);
  return ans;
}

int main() {
  int n1[] = {1, -10, 7, 13, 6, 8};
  int n2[] = {1, -10, 7, 13, 6, 8};
  printf("%d\n", findSmallestInteger(n1, ARRAY_SIZE(n1), 5)); // expect: 4
  printf("%d\n", findSmallestInteger(n2, ARRAY_SIZE(n2), 7)); // expect: 2
}