编写一个以文件名作为参数并在其中打印所有唯一单词的函数。
我们强烈建议您最小化浏览器,然后先尝试一下
这个想法是在STL中使用map来跟踪已经出现的单词。
// C++ program to print unique words in a string
#include
using namespace std;
// Prints unique words in a file
void printUniquedWords(char filename[])
{
// Open a file stream
fstream fs(filename);
// Create a map to store count of all words
map mp;
// Keep reading words while there are words to read
string word;
while (fs >> word)
{
// If this is first occurrence of word
if (!mp.count(word))
mp.insert(make_pair(word, 1));
else
mp[word]++;
}
fs.close();
// Traverse map and print all words whose count
//is 1
for (map :: iterator p = mp.begin();
p != mp.end(); p++)
{
if (p->second == 1)
cout << p->first << endl;
}
}
// Driver program
int main()
{
// Create a file for testing and write something in it
char filename[] = "test.txt";
ofstream fs(filename, ios::trunc);
fs << "geeks for geeks quiz code geeks practice for qa";
fs.close();
printUniquedWords(filename);
return 0;
}
输出:
code
practice
qa
quiz
感谢Utkarsh建议上述代码。
要从最佳影片策划和实践问题去学习,检查了C++基础课程为基础,以先进的C++和C++ STL课程基础加上STL。要完成从学习语言到DS Algo等的更多准备工作,请参阅“完整面试准备课程” 。