如果需要声明一个长度为10的整数数组,通常为int a[10];
但是,很不巧,大多数情况下,长度都是在运行的时候才知道的。
那么有两种方案:
在C99前,只能用malloc,new来动态申请一块内存,然后把他送给指针。
在C99之后,有了动态长度的数组,可以直接用int a[n]来声明。

那么就有一个需要思考的问题,sizeof()到底是什么意思。
根据概念来说,他返回的是参数占有的内存的长度。

  • int a[10];是10个4字节的一块内存,因此返回值是40;
  • int *b = a;是一个指向a的指针,指针是4个字节,所以它的返回值是4;
  • int *c = new int[n];应该是什么?
  • int d[n];应该是什么

根据上面的例子,可以看出来sizeof()其实是一个执行在编译期的函数,在编译的时候,对他来说,c只是一个整数型指针,因此他返回4。
而对于动态长度的数组,为了保证逻辑的一致性,则单独在运行期执行,其返回的就是数组占有的内存大小。

如果,我们需要memset(),对于new申请的数组,不能直接sizeof()数组名,应该先获得其类型的大小,然后再乘上长度。

不过在memset()时,如果直接sizeof()数组名,会有一个警告

warning: argument to 'sizeof' in 'void\* memset(void\*, int, size_t)' call is the same expression as the destination; did you mean to dereference it? [-Wsizeof-pointer-memaccess]

可以使用如下代码来测试

#include <cstdio>
#include <cstring>
int main() {
    int n;
    scanf("%d", &n); // 输入10

    int *a = new int[n];
    int b[n];
    int c[10];

    memset(a, 0, sizeof(a));
    memset(b, 0, sizeof(b));
    memset(c, 0, sizeof(c));

    printf("%d %d %d\n", sizeof(a), sizeof(b), sizeof(c));

    return 0;
}

可以得到

test.cpp:11:24: warning: argument to 'sizeof' in 'void* memset(void*, int, size_t)' call is the same expression as the destination; did you mean to dereference it? [-Wsizeof-pointer-memaccess]
memset(a, 0, sizeof(a));
^
4 40 40