我一直沿用C++17 by Example这本很棒的书,该书通过展示一系列迷你项目介绍了C ++ 17,这很酷。
但是,在第2章中,在Set
之上实现了LinkedList
的地方是这样的代码:
void Set::read(std::istream& inStream) {
int size;
inStream >> size;
int count = 0;
while (count < size) {
double value;
inStream >> value;
insert(value);
++count;
}
}
void Set::write(std::ostream& outStream) {
outStream << "{";
bool firstValue = true;
Iterator iterator = first();
while (iterator.hasNext()) {
outStream << (firstValue ? "" : ", ") << iterator.getValue();
firstValue = false;
iterator.next();
}
outStream << "}";
}
int main() {
Set s, t;
s.read(std::cin);
t.read(std::cin);
std::cout << std::endl << "s = ";
s.write(std::cout);
std::cout << std::endl;
std::cout << std::endl << "t = ";
t.write(std::cout);
std::cout << std::endl << std::endl;
// snip
}
我对C ++相当陌生,我不知道如何运行它。当然,在问之前我做了一些研究,但是我想到的方法并没有产生预期的结果:
lambdarookies-MacBook:02-the-set-class lambdarookie$ ./02-the-set-class
1 2 3
3 4 5
s = {2} // Expected: s = {1, 2, 3}
t = {3, 4, 5}
现在我想知道:
答案 0 :(得分:5)
Set::read
读取的第一个数字是集合的大小。然后它读取那么多数字,并将它们添加到集合中。当前调用read
会忽略该行的其余部分,并由下一个(恰好是您正在测试的下一个集合的大小)拾取。因此,输入1 2 3
会得到一组大小为1
的集合,唯一的元素为2
。
请注意:hasNext
是一种Java语言,与通常的C ++迭代器的工作方式不同。也许您可以考虑同时查看另一本手册。