我正在尝试使用以下代码解决一个代码,将句子剥离到它的字母字符,但代码总是给我一个运行时错误(评论的部分是我用来找出解决方案的步骤)。
[例如:测试'应该打印Testsentence]
#include <stdio.h>
#include <stdlib.h>
#include <ctype.h>
#define BUFFER_LEN 1000
#define BUFFER_INCR 15
int main(void)
{
int buffer_length = BUFFER_LEN;
char *pString = malloc(BUFFER_LEN);/* initial array */
char *pTemp_start = pString;
long long int String_len = 0;
char *pTemp = NULL;
int copy = 0;
int count = 0;/*delete this after check*/
while((*pString++ = getchar()) != '\n')
{
String_len = pString - pTemp_start;
printf("\nThe character you inputted is: %c", *(pString+count++));
//getchar();
if(String_len == (buffer_length - 1))/*reserve one for newline*/
{
buffer_length += BUFFER_INCR;
pTemp = realloc(pString, buffer_length);/*reallocate space for
15 more chars.*/
pTemp_start = pTemp - String_len;
pString = pTemp;
free(pTemp);
pTemp = NULL;
if(!pString)
{
printf("The space couldn't be allocated");
return 1;
}
}
}
/*checks that can be done for addresses*/
//printf("\nThe length of the string is: %lld", pString - pTemp_start);
*(--pString) = '\0';
//printf("\nThe charcter at the end is: %d", *(pString + String_len - 1));
//printf("\nThe character at the mid is: %d", *(pString + 2));
printf("The input string is: %c", *pString);
/*code to remove spaces*/
for(int i = 0; i < (String_len + 1); i++)
{
if((isalnum(pString[i])))
{
*(pString + copy++) = *(pString +i);
}
}
*(pString + copy) = '\0';/*append the string's lost null character*/
printf("\nThe stripped string is: \n%s", pString);
return 0;
}
代码根本不会打印任何输入的内容。
答案 0 :(得分:1)
realloc(pString,...)
添加已分配的块,替换正在重新分配的块(在本例中为pString
)。因此pString
在该调用之后不一定是(必然的)有效指针。更糟糕的是,您接着free(pTemp)
,因此您不再分配任何。
答案 1 :(得分:1)
因此,您在此行之间的代码中存在冲突
while((*pString++ = getchar()) != '\n')
和以下几行。
pTemp = realloc(pString, buffer_length);
我引用的第一行是在你分配的内存中递增pString的位置,但是第二行的作用就好像pString仍然指向它的开头。除非pString指向已分配内存的开头,否则realloc()
将无效。然后,您不检查realloc()
调用的结果,将新内存块分配给pString,然后释放新分配的内存。所以你肯定会有意想不到的结果。
你还必须记住stdin是缓冲的,所以你的代码会等到它在执行任何操作之前读完整行。并且stdout也是缓冲的,因此只输出以\n
结尾的行。所以你可能想要以下......
printf("The character you inputted is: %c\n", *pString);
...或类似的东西,记住你如何使用pString的问题。