我目前正在使用reddit进行this challenge。
现在我的问题出现在程序的底部(未完成),但我发布了整件事,以防它可能与它的顶部有关。
现在我试图通过将所有非空格字符放入另一个字符数组中来删除用户应该输入的字符串中的空格。但是,每次我打印尝试使用假定的删除空格打印字符串时,它只打印第一个单词。但是,我希望它将所有单词打印成一个单独的组合单词。
例如,当我尝试转换Hello World!
时,它应该给我HelloWorld!
,但它只给我Hello
。我已经尝试了不同的指针和诸如此类的方法,每次我遇到同样的问题。这是怎么回事?
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#include <math.h>
int main(void)
{
char StringtobePacked[100]; //This is the string the user puts in
char StringtobePackedWOspaces[100]; //This is gonna be the string without spaces
int i , o , p; //incrementers/counters
double AmtfChrsnStrng;
//ask user for sentence input:
printf("Please type in sentence so I can pack it into the array:\n");
scanf("%s" , StringtobePacked);
//check for the amounts of letters in the sentence minus the spaces
for (i = 0; StringtobePacked[o] > i ; i++ , o++)
{
AmtfChrsnStrng++;
if (StringtobePacked[o] == ' ')
{
AmtfChrsnStrng--;
};
};
//now we know the amounts of letters in the sentence minus the spaces
//find the root and make that into the array size
double root = sqrt(AmtfChrsnStrng); //This is to find the square root of the (number) of letters in the string
int rootup = ceil(root); //this is to round up the double
char PackingArray[rootup][rootup]; //have a two dimensional array to pack sentence into
//make sure to check wether a sign is a space or not so as to not pack these
for (i = 0 , o = 0; StringtobePacked[i] != 0; i++)
{
if (StringtobePacked[i] != ' ')
{
StringtobePackedWOspaces[o] = StringtobePacked[i];
o++;
}
}
StringtobePackedWOspaces[o] = 0;
puts(StringtobePackedWOspaces);
//loop through the sentence in order to pack it into the array
// after end of column has been reached increment row
//now don't keep incrementing the column but increment it backwards so letters can be packed upwards
//print array by looping through , first columns then rows
//the starting position of the packing should be randomised
};
答案 0 :(得分:1)
我建议您使用fgets()而不是scanf()。
scanf("%s" , StringtobePacked);
而不是使用此
fgets(StringtobePacked,100,stdin);
具有%s指定符的暂停scanf()将读取输入,直到遇到空格或指定字段宽度为止。 这给出了所需的输出。
答案 1 :(得分:0)
您应该在他们的问题中应用@ameyCU发布的建议。您还应该在评论中将@ StringtobePacked[o] > i
更改为@ StringtobePacked[o] != '\0'
,如@BLUEPIXY所述。除此之外,您还可以使用一些变量而无需初始化它们。例如,您在以下行中使用o
和AmtfChrsnStrng
,而不先将它们分别设置为0
和0.0
:
for (i = 0; StringtobePacked[o] > i ; i++ , o++)
{
AmtfChrsnStrng++;
...
为了安全起见,你应该改变:
int i , o , p; //incrementers/counters
double AmtfChrsnStrng;
为:
int i=0, o=0, p=0; //incrementers/counters
double AmtfChrsnStrng = 0.0;
您的代码可能在调试模式下没有这些初始化时工作,但在发布模式下,它可能会失败。
您的代码可能存在更多问题,但这至少应该解决其中一些问题。
注意:如果您想改善循环,计算句子中的字母数量减去空格,请查看here。适用于您的变量的This解决方案如下所示:
for (i=0; StringtobePacked[i]; StringtobePacked[i]!=' ' ? i++ : *s++);
执行此for
循环后,变量i
包含句子中的字母数量减去空格。
答案 2 :(得分:-2)
char original[SIZE], packed[SIZE];
double amt = 0.0;
scanf("%f", original);
for (char * op = original, * pp = packed; *op; op++)
{
if (!isspace(*op))
{
*pp++ = *op;
amt++;
}
}
int dim = (int) ceil(sqrt(amt));
在C中处理字符串时,只需遍历源缓冲区和目标缓冲区。指针是C的本质,让它们变得舒适。这将为您提供 dim 中的数组维度。