All submissions

Scan Memory for Three Consecutive Increasing Values

Code

#include <stdio.h>

int find_pattern(int *mem, int n) {
    // Write your pointer-based logic here
    int index = 0;
    
    while (index <= n - 3)     // Check until we have at least 3 elements left
    {  
        // if current three elements are consecutive increasing
        if (*(mem + 1) == *mem + 1 && *(mem + 2) == *mem + 2) 
        {
            return index;
        }
        mem++;      // Move pointer to next position
        index++;    // Move index to next position
    }
    return -1;
}

int main() {
    int n, arr[100];
    scanf("%d", &n);

    for (int i = 0; i < n; i++) {
        scanf("%d", &arr[i]);
    }

    int res = find_pattern(arr, n);
    printf("%d", res);

    return 0;
}

Solving Approach

 

 

 

Loading...

Input

8 2 4 5 6 9 11 12 14

Expected Output

1