我一直在通过Stroustrup的编程和原则来自学c ++ 11。
在第11章中,他描述了一个从输入流中删除(变成空白)任何不需要的字符的程序。所以,例如,我可以设置一个字符串来保存字符'!'和'。'。然后我可以输入
dog! food
并收到输出dog food
。
但是,我不理解字符串word
在主
int main ()
{
Punct_stream ps {cin};
ps.whitespace(";:,.?!()\"{}<>/&$@#%^*|~");
ps.case_sensitive(false);
cout<<"Please input words."<<"\n";
vector<string> vs;
for (string word; ps>>word;)// how does word get assigned a string? {
vs.push_back(word);
}
sort(vs.begin(), vs.end());
for (int i = 0; i<vs.size(); ++i) {
if (i==0 || vs[i]!=vs[i-1]) cout<<vs[i]<<"\n";
}
}
通过重载的&gt;&gt;定义了一个值。
Punct_stream& Punct_stream::operator>>(string& s)
{
while (!(buffer>>s)) {
if (buffer.bad() || !source.good()) return *this;
buffer.clear();
string line;
getline(source,line); // get a line from source
for (char& ch : line)
if (is_whitespace(ch))
ch = ' ';
else if (!sensitive)
ch = tolower(ch);
buffer.str(line); //how does word become this value?
}
return *this;
}
显然,指针this
将是&gt;&gt;的结果,但我不明白该结果如何包括为istringstream buffer
的字符串赋值。我只知道指针的基础知识,所以也许这是我的问题?
#include<iostream>
#include<sstream>
#include<string>
#include<vector>
using namespace std;
class Punct_stream {
public:
Punct_stream(istream& is)
: source{is}, sensitive{true} { }
void whitespace(const string& s) { white = s; }
void add_white(char c) { white += c; }
bool is_whitespace(char c);
void case_sensitive(bool b) { sensitive = b; }
bool is_case_sensitive() { return sensitive; }
Punct_stream& operator>>(string& s);
operator bool();
private:
istream& source;
istringstream buffer;
string white;
bool sensitive;
};
Punct_stream& Punct_stream::operator>>(string& s)
{
while (!(buffer>>s)) {
if (buffer.bad() || !source.good()) return *this;
buffer.clear();
string line;
getline(source,line); // get a line from source
for (char& ch : line)
if (is_whitespace(ch))
ch = ' ';
else if (!sensitive)
ch = tolower(ch);
buffer.str(line); //how does word become this value?
}
return *this;
}
Punct_stream::operator bool()
{
return !(source.fail() || source.bad()) && source.good(); }
bool Punct_stream::is_whitespace(char c) {
for (char w : white)
if (c==w) return true; return false;
}
int main ()
{
Punct_stream ps {cin};
ps.whitespace(";:,.?!()\"{}<>/&$@#%^*|~");
ps.case_sensitive(false);
cout<<"Please input words."<<"\n";
vector<string> vs;
for (string word; ps>>word;)// how does word get assigned a string? {
vs.push_back(word);
}
sort(vs.begin(), vs.end());
for (int i = 0; i<vs.size(); ++i) {
if (i==0 || vs[i]!=vs[i-1]) cout<<vs[i]<<"\n";
}
}
答案 0 :(得分:3)
诀窍是while
内的operator >>
循环与您从流中读取时通常所做的逻辑相反。通常情况下,你会做这样的事情(实际上main
也这样做了):
while (stream >> aString)
但请注意,提取器中的while
有否定:
尝试从
s
中提取buffer
。如果失败,请循环一次,然后重试。
开始时,buffer
为空,因此提取s
将失败,并且将输入循环体。循环体的作用是从source
(被包裹的流)读取一行,将该行的选定字符转换为空格,将此行设置为buffer
(通过buffer.str(line);
电话)。
因此,在转换线后,它会排队到buffer
。然后循环的下一次迭代到来,它再次尝试从s
中提取buffer
。如果该行具有任何非空格,则将提取第一个单词(其余单词将保留在buffer
中以进一步读取)。如果该行只有空格,则再次输入循环体。
成功提取s
后,循环终止,函数退出。
下一次调用时,它将与buffer
中剩余的内容一起使用,根据需要从source
重新填充缓冲区(通过我上面解释过程)。