我是C的初学者。
main() {
int *a-ptr = (int *)malloc(int);
*a-ptr = 5;
printf(“%d”, *a-ptr);
}
问题是:这是否可以保证打印5?
答案是:不,原因有两个:
我不明白第二点。是不是用这条线分配了存储空间?
int *a-ptr = (int *)malloc(int);
答案 0 :(得分:2)
malloc
接受尺寸,而不是类型。您需要执行malloc(sizeof(int))
。
答案 1 :(得分:2)
main() { // wrong. Should return int
int main() { // better
int *a-ptr = //wrong. no dashes in variable names
int *a_ptr = // better, use underscores if you want to have multiparted names
(int *)malloc(int); // wrong. Don't typecast the return of malloc(), also it takes a
// size, not a type
malloc(sizeof(int)); // better, you want enought memory for the sizeof 1 int
所以更好的代码版本是:
int main() {
int *a_ptr = malloc(sizeof(int));
*a_ptr = 5;
printf("%d", *a_ptr);
free(a_ptr); // When you're done using memory allocated with malloc, free it
return 0;
}
答案 2 :(得分:1)
由于多种原因,您的代码无效,无法编译。
a-ptr
是无效的变量名称。名称中不允许-
,
使用a_ptr
代替(或其他)
malloc
不接受某种类型。它需要一个大小(以字节为单位)
分配
请务必使用直引号"
而不是引号
使用
正确的代码如下所示:
int main() {
int *aptr = (int *) malloc(sizeof(int));
*aptr = 5;
printf("%d", *aptr);
return 0;
}
(从malloc
到int *
的强制转换可能是可选的,具体取决于您的编译器。)