Search code examples
cstringcountcharacterstrchr

Using strchr() to count occurrences of a character in a string


I'm almost finished with the class semester, and I'm working on an assignment to write a function to find the number of a certain character in a string, given the function prototype the teacher assigned. I know I must be doing something stupid, but this code is either locking up or looping indefinitely in my function.

It is an assignment, so I'm not looking for anyone to do my homework for me, but merely to point out where I'm wrong and why, so I can understand how to fix it. I would appreciate any help that you are willing to give.

Here's the code I've written:

#include <stdio.h>
#include <string.h>

int charCounter(char* pString, char c);

int main(void)
{
    char* inpString = "Thequickbrownfoxjumpedoverthelazydog.";
    int charToCount;
    int eCount;

    eCount = 0;
    charToCount = 'e';
    eCount = charCounter(inpString, charToCount);
    printf("\nThe letter %c was found %d times.", charToCount, eCount);

    return 0;
} // end main

int charCounter(char* pString, char c)
{
    int count = 0;
    char* pTemp;

    do
    {
        pTemp = strchr(pString, c);
        count++;
    }
    while(pTemp != NULL);

    return count;
} // end countCharacter

Solution

  • Your loop is always looking from the beginning of pString, and is always finding the first 'e' over and over again.

    If you declare char* pTemp = pString; then you can iterate a little differently (I pasted the wrong version earlier, sorry!):

    char* pTemp = pString;
    
    while(pTemp != NULL)                                                                                                    
    {                                                                                                                       
        pTemp = strchr(pTemp, c);                                                                                                           
        if( pTemp ) {
            pTemp++;
            count++;
        }                                                                                                
    }
    

    This forces pTemp to point just after the character you just found before looking for the next one.

    It would be easier to just do:

    char* pTemp = pString;
    while( *pTemp )
        if( *pTemp++ == c) count++;
    

    Okay, after thinking about it, even after you already have this working, I changed the inner loop to a form I am more happy with:

    while( (pTemp = strchr(pTemp, c)) != NULL) {                                                                                                                       
       count++;                                                                                                             
       pTemp++;
    }