C++ count words in a string – C++ Program to Count Words in Sentence

C++ count words in a string: In the previous article, we have discussed C++ Program to Delete Vowels Characters from String. In this article, we will see C++ Program to Count Words in Sentence.

C++ Program to Count Words in Sentence

  • Write a C++ program to count the number of words in a string.

In this C++ program, we will count the number of words in a sentence. Words are separated by one or multiple space characters.
For Example :

Input Sentence: I love C++ programming
Word Count : 4

To find the number of words in a sentence, we will first take a string input from user and store it in a character array(string). Here we are using strtok function of header file to split a sentence into words.

strtok Function

  • The function char *strtok(char *str, const char *delimiters); breaks string str into tokens, which are sequences of contiguous characters separated by any of the characters of string delimiters.
  • First call to strtok function expects a C string as argument str, and returns first token. Subsequent calls of strtok function expects a null pointer argument and returns next word. strtok function is widely use to tokenize a string into words.

C++ Program to Count Words in Sentence

C++ Program to Count Words in Sentence

//C++ Program to count words in a sentence
#include <iostream>
#include <cstring>
using namespace std;
  
int main() {
   char string[100], *token;
   int count = 0;
     
   cout << "Enter a string\n";
   cin.getline(string, 100);
     
   token = strtok(string, " ");
     
   while(NULL != token) 
   {
       count++;
       token = strtok(NULL, " ");
   }
     
   cout << "Word Count : "<<count;
   return 0;
}

Output

Enter a string
I love C++ programming
Word Count : 4

Bridge your knowledge gap by practicing with Examples of C++ Programs on daily basis and learn the concepts of weak areas efficiently & easily.