web123456

C language - count the number of words

Table of contents

  • 1 Algorithm Thought
  • 2 Implement 1
  • 3 Implement 2

1 Algorithm Thought

Read a string input into it and count the number of words. Since each word has different letters and different lengths, it is difficult to count the number of words by recognizing words. Below is a string

Thank you very much

You can find that there are 4 words and 3 spaces in this string. In fact, counting the number of spaces can count the number of words, that is,Number of words = Number of spaces + 1, the following are two program implementations

2 Implement 1

#include <>
int main() {
	char a[100];
    int i, in_word, word_num;
    gets(a);
    word_num = 0; // Initialize the number of words to 0
    in_word = 0; // Mark the bit, whether the mark is in the word
    for (i = 0; a[i]; i++) {
        if (a[i] == ' ') { // Space detected
            in_word = 0; // Set the marker to be not in the word
        } else if (in_word == 0) { // In the word
            word_num++; // Statistics the number of words
            in_word = 1; // Set the marker to be within the word
        }
    }
    printf("%d", word_num);
}

3 Implement 2

#include <>
int main() {
    printf("Enter a line of characters:\n");
    char ch;
    int i,count=0,word=0;
    while((ch=getchar())!='\n') {
        if (ch==' ') {
            word=0;
        } else if (word==0) {
            word=1;
            count++;
        }
    }
    printf("There are %d words in total\n",count);
    return 0;
}