C程序格式化文本

C program to format text

我得到一个字符串,单词之间有很多空格。我必须写一个程序 将给定的字符串转换为文本,每行不超过 80 个字符。不应拆分单词,必须使用 justify。无需使用额外的库或函数!我需要帮助来解决这个问题。

Example input: "John     had  a lot          of work to do."
Result:"John had
        a lot of
        work  to
              do"

在这个例子中显然我没有使用 80 个字符的规则,而是 8 个。 到目前为止,我的代码消除了多余的空格并可以计算字符串的长度。

#include <stdio.h>

int main()
{
   char text[1000], blank[1000],rez[1000];
   int n,i;
   printf("give string\n");
   gets(text);
   blankremove(text,blank);
   printf("%s\n",blank);
   n=lenght(blank);
   printf("%d", n);

   return 0;
}

int lenght(char a[]){
int lenght;
lenght=0;
while (a[lenght]!='[=11=]')
{
    lenght++;
}
return lenght;
}

int blankremove(char text[], char blank[])
{

   int c = 0, d = 0;
   while (text[c] != '[=11=]') {
      if (text[c] == ' ') {
         int temp = c + 1;
         if (text[temp] != '[=11=]') {
            while (text[temp] == ' ' && text[temp] != '[=11=]') {
               if (text[temp] == ' ') {
                  c++;
               }
               temp++;
            }
         }
      }
      blank[d] = text[c];
      c++;
      d++;
   }
   blank[d] = '[=11=]';}

(这对我来说听起来像是家庭作业。请记住,老师也可以访问 Whosebug。)

让我们看看,您的格式是……令人遗憾,但这不是您要问的。

我认为这会满足您的需求。

在 main 中的 return 之前添加这些行:

fillLine(blank,rez,sizeof(rez));
printf("%s\n", rez);

然后创建一个名为 fillLine 的函数,它会查看适合的内容并将其放在线上,如果适合的话。

/* Find the length of the next word on the line, upto the next space.
 */
int lenWord(char *in)
{
    int ii;
    for(ii=0; in[ii]!=0 && in[ii]!=' '; ii++);
    return(ii);
}
#define MAX_COLUMNS 16
/*
 * This will stuff what it can in MAX_COLUMNS columns
 */
int fillLine(char *blank, char *rez, int rezSize)
{
    int in;
    int out;
    int col;
    for(col=0, in=0, out=0; blank[in]!=0 && out<rezSize;) {
        int len=lenWord(&blank[in]);
        if(col+len+1 < MAX_COLUMNS ) {
            int ii;
            for(ii=0; ii<len; ii++) {
                rez[out]=blank[in];
                in++;
                out++;
                col++;
            }
            rez[out]=' ';
            in++;
            out++;
            col++;
        } else {
            rez[out]='\n';
            out++;
            col=0;
        }
    }
    return(out);
}

此版本存在一些问题(建议您在上线前解决):

  1. 我将输出 rez 区域的大小传递给了函数,但没有对其进行足够的检查以确保我不会越过终点并丢弃其他东西。
  2. 我在所有行的末尾留了一个空白,这意味着它们没有像它们可能的那样填充。
  3. fillLine函数可以和你的blankRemove函数结合使用,使程序更简洁。
  4. 有些人喜欢在相等性检查中将常量放在左边,以防出现拼写错误:0!=in[ii] 而不是 in[ii]!=0。这有助于避免 if( in[ii]=0) { 的可能性。有些人对 Yoda Conditions 感到兴奋,支持和反对。

这会给你思路。我可能会评论说,使用像 ii 这样的变量而不是 i 可以更容易地在文本编辑器中搜索它们。