Find Frequency of an Integer in a Vector (N Positive Integers & X)

Find Frequency of an Integer in a Vector (N Positive Integers & X)

Q - Given a vector of N positive integers and an integer X. The task is to find the frequency of X in the vector.

GeekForGeeks Problem - Link | Click Here

class Solution {
    // Function to find the frequency of element 'x' in array 'A'
    int findFrequency(int A[], int x) {
        int lengthOfA = A.length; // Get the length of array 'A'
        int count = 0; // Initialize count, to track frequency of 'x'

        // Iterate through the array 'A'
        for (int i = 0; i < lengthOfA; i++) {
            // Check if the current element equals 'x'
            if (A[i] == x) {
                count++; // Increment count if the element matches 'x'
            }
        }

        return count; // Return the frequency of 'x'
    }
}