单词反向程序。由于空行

时间:2017-01-19 12:29:08

标签: c reverse

我有一个程序来反转单词。问题是当我输入一个空行(只需按回车键)时,输出上缺少单词(即空行后)。我应该在我的代码中做些什么?

例如:

输入:

  • AAAA
  • ZZZZ
  • CCCC
  • FFFF

输出:

  • AAAA
  • CCCC
  • ZZZZ

缺少“ffff”:(

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

#define N_MAX 100000

int compare(const void *a, const void *b)   /* funkcja uzywana przy qsort */
{
    return strcmp(*((char**) a), *((char**) b));
}


int main()
{
    int i=0, j;
    char* Tekst[N_MAX];

    char c;
    while ((c = getchar()) != EOF)
    {
        char tab1[1000]={0};    
        char tab2[1000]={0}; 

        tab1[0] = c;
        gets(tab2);
        strcat(tab1, tab2);

        if (c!='\n')
        {                      
            Tekst[i] = (char*)malloc((strlen(tab1)+1)*sizeof(char));
            strcpy(Tekst[i], tab1);
            i++;
        }
    }

    qsort(Tekst, i, sizeof(char *), compare); 

    puts ("\n\n");
    for (j=0; j<i; j++)
    {
        puts(Tekst[j]);
    }
    return 0;
}

1 个答案:

答案 0 :(得分:1)

此处您不需要getchar()strcat

你可能想要这个:

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

#define N_MAX 100000

int compare(const void *a, const void *b)   /* funkcja uzywana przy qsort */
{
  return strcmp(*((char**)a), *((char**)b));
}

int main()
{
  int i = 0, j;
  char* Tekst[N_MAX];

  while (1)
  {
    char tab2[1000] = { 0 };

    if (fgets(tab2, 1000, stdin) == NULL)
      break;   // on EOF fgets returns NULL

    tab2[strlen(tab2) - 1] = 0;   // get rid of \n at the end of the string

    Tekst[i] = (char*)malloc((strlen(tab2) + 1) * sizeof(char));
    strcpy(Tekst[i], tab2);
    i++;
  }

  qsort(Tekst, i, sizeof(char *), compare);

  puts("\n\n");
  for (j = 0; j<i; j++)
  {
    puts(Tekst[j]);
  }
  return 0;
}

如果你真的想用gets代替`fgets,请替换

if (fgets(tab2, 1000, stdin) == NULL)

通过

if (gets(tab2) == NULL)