编译器不像我的最后一个std :: cout行。我评论说明错误发生的位置。我很想听到一些关于此的反馈。提前致谢。
另外,如果您愿意的话,我想对我遵守C ++编码实践和我的包含重复算法的一些一般性评论。我知道将bool作为我的std :: map中的值是没用的,但是不可能像std :: map那样映射一维地图。要添加一个值。
#include <iostream>
#include <map>
#include <vector>
void print_vector(std::vector<int>);
bool contains_repeats_1(std::vector<int>);
int main() {
int arr1[] = {1, 5, 4, 3, -8, 3, 90, -300, 5, 69, 10};
std::vector<int> vec1(arr1, arr1 + sizeof(arr1)/sizeof(int));
std::cout << "vec1 =" << std::endl;
print_vector(vec1);
int arr2[] = {1, 6, 7, 89, 69, 23, 19, 100, 8, 2, 50, 3, 11, 90};
std::vector<int> vec2(arr2, arr2 + sizeof(arr2)/sizeof(int));
std::cout << "vec2 =" << std::endl;
print_vector(vec2);
std::cout << "vec1 " << contains_repeats_1(vec1) ? "does" : "doesn't" << " contain repeats" << std::endl;
// ^^^^^^ ERROR
return 0;
}
void print_vector(std::vector<int> V) {
std::vector<int>::iterator it = V.begin();
std::cout << "{" << *it;
while (++it != V.end())
std::cout << ", " << *it;
std::cout << "}" << std::endl;
}
bool contains_repeats_1(std::vector<int> V) {
std::map<int,bool> M;
for (std::vector<int>::iterator it = V.begin(); it != V.end(); it++) {
if (M.count(*it) == 0) {
M.insert(std::pair<int,bool>(*it, true));
} else {
return true;
}
return false;
}
}
答案 0 :(得分:3)
条件运算符?:
具有相当低的优先级(低于<<
),因此您需要添加括号。
std::cout << "vec1 " << (contains_repeats_1(vec1) ? "does" : "doesn't") << " contain repeats" << std::endl;
答案 1 :(得分:1)
<<
的优先级高于?:
std::cout << "vec1 " << (contains_repeats_1(vec1) ? "does" : "doesn't") << " contain repeats" << std::endl;