C - malloc 返回指向已分配内存的指针


我已经

很久没有写C了。我的理解是,malloc返回一个指向新分配的内存区域的指针,该区域与先前malloc的反应不重叠。但是,我的程序(下图)似乎显示malloc返回指向已分配区域的中间的指针!

#include <stdio.h>
#include <stdlib.h>
typedef struct {
  int* bla;
  int baz;
  int qux;
  int bar;
} foo;
int main() {
  foo* foo = malloc(sizeof(foo));
  int* arr = malloc(sizeof(int) * 10);
  // my understanding of malloc is that `foo` and `bar` now point to
  // non-overlapping allocated memory regions
  printf("arr          %pn", arr);            // but these print
  printf("&(foo->bar)  %pn", &(foo->bar));    // the same address
  foo->bar = 42;
  printf("arr[0] = %dn", arr[0]);   // prints 42
  return 0;
}

我正在编译和运行它:

$ cc --version
Apple LLVM version 7.3.0 (clang-703.0.29)
Target: x86_64-apple-darwin15.3.0
Thread model: posix
InstalledDir: /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/bin
$ cc     main.c   -o main
$ ./main
arr          0x7fa68bc03210
&(foo->bar)  0x7fa68bc03210
arr[0] = 42

我做错了什么?

是什么?!

foo* foo = malloc(sizeof(foo));

请使用不同的标识符!

foo* variable = malloc(sizeof(foo));

只是为了确保我测试了这个main()

int main() {
    printf("sizeof(foo)=%zun", sizeof(foo));
    foo* foo = malloc(sizeof(foo));
    printf("sizeof(foo)=%zun", sizeof(foo));
}

输出(64位,LLP64):

sizeof(foo)=24
sizeof(foo)=8

不要使用两次相同的标识符,你会得到不好的惊喜。

typdef别名和实例的同名声明之间没有冲突。您可以(但不建议)执行最初具有的操作,但从变量中获取大小,而不是尝试从类型中获取大小。具体说来:

    foo *foo = malloc (sizeof *foo);

您可以在完整示例中确认:

#include <stdio.h>
#include <stdlib.h>
typedef struct {
    int *bla;
    int baz;
    int qux;
    int bar;
} foo;
int main (void) {
    foo *foo = malloc (sizeof *foo);
    int *arr = malloc (sizeof *arr * 10);
    printf ("arr          %pn", arr);
    printf ("&(foo->bar)  %pn", &(foo->bar));
    foo->bar = 42;
    printf ("foo->bar = %dn", foo->bar);
    return 0;
}

示例输出

$ ./bin/foofoo
arr          0x17f3030
&(foo->bar)  0x17f3020
foo->bar = 42
使用以下

代码

请注意 foo 实例的唯一名称

#include <stdio.h>
#include <stdlib.h>
typedef struct
{
  int* bla;
  int baz;
  int qux;
  int bar;
} foo;
int main()
{
  foo* myfoo = malloc(sizeof(foo));
  int* arr = malloc(sizeof(int) * 10);
  // my understanding of malloc is that `foo` and `bar` now point to
  // non-overlapping allocated memory regions
  printf("arr          %pn", arr);            // but these print
  printf("&(foo->bar)  %pn", &(myfoo->bar));    // the same address
  myfoo->bar = 42;
  printf("arr[0] = %dn", arr[0]);   // prints 42
  return 0;
}

输出为:

arr          0x1578030
&(foo->bar)  0x1578020
arr[0] = 0

这正是我所期望的。

我在 ubuntu linux 14.04 下使用 gcc 4.8.4 编译了这个

用:

gcc -ggdb -c -Wall -Wextra -pedantic -Wconversion -std=gnu99 myfile.c -o mybile.o

然后

gcc -ggdb -std=gnu99 myfile.o -o myfile

然后运行它

./myfile

相关内容

  • 没有找到相关文章

最新更新