C:在文件中查找重复的字符串值

C: Finding duplicate string values in a file

所以我有一个文件包含让我们说:

cat
dog
cat

我正在尝试浏览文件,让它识别出有两个 cat 元素和一个 dog 元素,然后在同一个文件中编辑为:

cat - 2
dog - 1

我已经将所有单词保存在一个字符串数组中,char **wordList,我正在尝试使用 qsort 对它们进行排序,然后将其放入上述格式。我的 qsort 函数是:

stringcmp(const void *a, const void *b)
 {
     const char **ia = (const char **)a;
     const char **ib = (const char **)b;
     return strcmp(*ia, *ib);
 }

 void wordSort(char **wordlist)
 {
     size_t strings_len = numwords - 1;
     qsort(wordlist, strings_len, sizeof(char*), stringcmp);
     wordFile(wordlist);
 }

void wordFile(char **wordlist)
 {
     if((outFilePtr2 = fopen(outWords, "w")) != NULL)
     {
         for(x = 1; x < numwords; x++)
         {
             fputs(wordlist[x], outFilePtr2);
             fputs("\n", outFilePtr2);
         }
         fclose(outFilePtr2);
     }
     else
     {
         printf("File\"%s\" could not be opened.\n", outWords);
     }
 }

虽然它没有按顺序排序任何东西。我该如何解决?

以下程序适用于您对 stringcmp 的定义(这似乎是正确的):

int main (int argc, char *argv[]) {
    int i;
    qsort(argv, argc, sizeof(char *), &stringcmp);
    for (i = 0; i != argc; i++) printf("%s\n", argv[i]);
}

因此我怀疑你对char **wordList的定义有问题。

更新

这个版本稍微 modified/completed 你的程序版本适合我:

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

char *outWords = "outWords.txt";
char *wordList[] = { "cat", "dog", "cat" };
#define numwords (sizeof(wordList) / sizeof(wordList[0]))
FILE *outFilePtr2;
int x;

int stringcmp(const void *a, const void *b)
 {
     const char **ia = (const char **)a;
     const char **ib = (const char **)b;
     return strcmp(*ia, *ib);
 }       

 void wordSort(char **wordlist)
 {       
     qsort(wordlist, numwords, sizeof(char*), stringcmp);
     wordFile(wordlist);
 }   

void wordFile(char **wordlist)
 {   
     if((outFilePtr2 = fopen(outWords, "w")) != NULL)
     {
         for(x = 0; x < numwords; x++)
         { 
             fputs(wordlist[x], outFilePtr2);
             fputs("\n", outFilePtr2);
         }
         fclose(outFilePtr2);
     }
     else
     {
         printf("File\"%s\" could not be opened.\n", outWords);
     }
 }

int main() {
    wordSort(wordList);
    wordFile(wordList); 
    return 0;
}

我修改了qsort的第二个参数(否则最后一个字符串指针不会被考虑,保持不变)。我还在 wordFile 中调整了 for 循环的初始化 x=0 以用于要打印的第一个字符串。

您可能以其他方式定义了 **wordList 导致了问题,您没有提供它的代码。