计算字符串中有多少单词,并输出最长最短的单词。(c++primer 9.39)

#include<iostream>
#include<string>
#include<vector>
using namespace std;

int main()
{
	string line1 = "We were her pride of 10 she named us:";
	string line2 = "Benjamin, Phoenix, the Prodigal";
	string line3 = "and perspicacious pacific Suzanne";
	string sentence = line1 + ' ' + line2 + ' ' + line3;
	string separators(" \t:,\v\r\n\f");//用作分隔符的字符。其中\t表示跳到下一个Tab位置。\r:回车。\n:换行。\f:换页。\v:垂直制表符。
	string word;

	//sentence 中最长、最短单词以及下一单词的长度,单词的数目。
	string::size_type maxlen, minlen, wordlen, count = 0;

	//存放最长及最短单词的vector容器。
	vector<string> longestwords, shortestwords;

	//单词的起始位置和结束位置。
	string::size_type startpos = 0,endpos = 0;

	//每次循环处理sentence中的一个单词。
	while((startpos = sentence.find_first_not_of(separators, endpos)) != string::npos)
		{
		//找到下一个单词的起始位置
		++count;

		//找下一个单词的结束位置。
		endpos = sentence.find_first_of(separators, startpos);
		if(endpos == string::npos)
		{
			//找不到下一个出现分隔符的位置,即该单词是最后一个单词。
			wordlen = sentence.size() - startpos;
		}
		else 
		{
			//找到了下一个出现分隔符的位置
			wordlen = endpos - startpos;
			//cout << "wordlen: " << wordlen << endl;
        }
		word.assign(sentence.begin() + startpos, sentence.begin() + startpos + wordlen);//获取单词。

		cout <<"word: " << word << endl;
		//设置下次查找的起始位置
		if(count == 1)
		{
			//找到的是第一个单词
			maxlen = minlen = wordlen;
			longestwords.push_back(word);
			shortestwords.push_back(word);
		}
		else
		{
			if(wordlen > maxlen)
			{
				//当前单词比目前的最长单词更长
				maxlen = wordlen;
				longestwords.clear();//清空存放最长单词的容器
				longestwords.push_back(word);
			}
			else if(wordlen == maxlen)//当前单词比目前的最长单词等长
				longestwords.push_back(word);

			if(wordlen < minlen)//当前单词比目前的最长单词更短
			{
				minlen = wordlen;
				shortestwords.clear();//清空存放最长单词的容器
				shortestwords.push_back(word);
			}
			else if (wordlen == minlen)//当前单词比目前的最短单词等长
				shortestwords.push_back(word);
		}
	}

	//输出单词数目
    cout << "word amount: " << count << endl;
	vector<string>::iterator iter,iter1;

	//输出最长单词
	cout << "longest word(s)" << endl;
	iter = longestwords.begin();
	while(iter != longestwords.end())
		cout << *iter++ << endl;

	//输出最短单词
	 cout << "shortest word(s):" << endl;
	 iter1 = shortestwords.begin();
	 while(iter1 != shortestwords.end())
		 cout << *iter1++ << endl;

	return 0;
}


输入输出结果;

计算字符串中有多少单词,并输出最长最短的单词。(c++primer 9.39)_第1张图片

你可能感兴趣的:(计算字符串中有多少单词,并输出最长最短的单词。(c++primer 9.39))