i tried to take input from user
input type is not determined(can be char or int)
i wanna take input and store in pointer array
while i doing that job forr each pointer i wanna take place from leap area
that is using malloc
but below code doesnot work why???
int main(void)
{
char *tutar[100][20],temp;
int i;
int n;
i=0;
while(temp!='x')
{
scanf("%c",&temp);
tutar[i]=malloc(sizeof(int));
tutar[i]=temp;
++i;
}
n =i;
for(i=0;i<=n;++i)
{
printf(" %c ",*tutar[i]);
}
printf("\n\n");
/*for(i=0;i<=n;++i)
{
printf("%d",atoi(*tutar[i]));
}
*/
}
注意:;
此引用在重写(编辑)上一封邮件时有问题
是不是一般问题
最佳答案
代码中有几个问题,包括:
将tutar
声明为指向字符的指针的二维数组,然后将其用作一维数组tutar[i]=temp
将temp(char)的值赋给tutar[i](指向char的指针),有效地覆盖指向新保留内存块的指针
您没有初始化temp
,因此它将具有垃圾值-有时它可能具有值x
,在该值中您的循环将不会执行
这是一个改进的版本(它没有经过测试,我也不认为它是完美的):
int main(void)
{
char *tutar[100], temp = 0;
int i = 0;
int n;
while(temp!='x')
{
scanf("%c",&temp);
tutar[i]=malloc(sizeof(char));
*tutar[i]=temp;
++i;
}
n =i;
for(i=0;i<=n;++i)
{
printf(" %c ",*tutar[i]);
}
printf("\n\n");
}
请注意,除非确实需要动态分配内存,否则最好使用一个简单的字符数组:
char tutar[100], ...
...
while(temp!='x')
{
scanf("%c",&temp);
tutar[i++]=temp;
}
...
为了简洁起见,我在赋值语句中增加了
i
。关于c - 接受用户的输入,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/2789924/