-
Notifications
You must be signed in to change notification settings - Fork 8
/
Copy pathfirst-repeated-word-in-string.cpp
executable file
·61 lines (52 loc) · 1.45 KB
/
first-repeated-word-in-string.cpp
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
/*
Find the 1st repeated word in a string. (15 marks)
eg. Input: Ravi had been saying that he had been there
Output: had
*/
// CPP program for finding first repeated
// word in a string
#include <bits/stdc++.h>
using namespace std;
// returns first repeated word
string findFirstRepeated(string s){
// break string into tokens
// and then each string into set
// if a word appeared before appears
// again, return the word and break
istringstream iss(s);
string token;
// hashmap for storing word and its count
// in sentence
unordered_map<string,int> setOfWords;
// store all the words of string
// and the count of word in hashmap
while (getline(iss, token, ' ')){
if(setOfWords.find(token) != setOfWords.end()){
// word exist
setOfWords[token] += 1;
}else{
// insert new word to set
setOfWords.insert(make_pair(token,1));
}
}
// traverse again from first word of string s
// to check if count of word is greater than 1
istringstream iss2(s);
while (getline(iss2, token, ' ')){
int count = setOfWords[token];
if(count > 1){
return token;
}
}
return "NoRepetition";
}
// driver program
int main(){
string s("Ravi had been saying that he had been there");
string firstWord = findFirstRepeated(s);
if(firstWord != "NoRepetition")
cout << "first repeated word :: " << firstWord << endl;
else
cout << "No Repetition\n";
return 0;
}