在C++中,可以通过递归调用count_if函数来实现对数组或容器中元素的递归计数操作。下面是一个示例代码,演示了如何使用递归的方式计算数组中满足某个条件的元素个数:
#include <iostream>
#include <vector>
#include <algorithm>
int count_if_recursive(const std::vector<int>& vec, int index, bool (*predicate)(int)) {
if (index == vec.size()) {
return 0;
} else {
return (predicate(vec[index]) ? 1 : 0) + count_if_recursive(vec, index + 1, predicate);
}
}
bool isEven(int num) {
return num % 2 == 0;
}
int main() {
std::vector<int> vec = {1, 2, 3, 4, 5, 6, 7, 8, 9};
int count = count_if_recursive(vec, 0, isEven);
std::cout << "Number of even elements in the vector: " << count << std::endl;
return 0;
}
在上面的代码中,count_if_recursive
函数通过递归方式遍历数组vec
中的元素,对每个元素调用predicate
函数判断是否满足条件,如果满足条件则返回1,否则返回0。最终通过累加返回的结果得到满足条件的元素个数。在main
函数中,通过调用count_if_recursive
函数并传入判断条件函数isEven
来计算数组中偶数元素的个数。