C++中的数组创建

Array Creation in C++

本文关键字:创建 数组 C++      更新时间:2023-10-16

我本质上想做的是编写一个函数,它可以使用长度为n的数组,并生成长度为n-2的数组。这是我到目前为止的代码:

float* comp_arr(float vals[], int arr_size, float scale, float dim){
    int arr_dim = (int)(arr_size+1-2*scale);
    float curvs[arr_dim];
    for(int i = scale; i < sizeof(vals)-scale+1; i++){
            float cur = comp_cur((i-scale)*dim, vals[i-1], i*dim, vals[i], (i+scale)*dim, vals[i+1]);
            int new_index = (int)(i-scale);
            curvs[new_index] = cur;
            printf("%fn",cur);
    }
    return curvs;
}

我在主要函数中这样调用它:

main(){
    float vals [] = {2,3,6,1,7};
    float *curvs = comp_arr(vals,5,1.0,1.0);
}

但是我得到了这个错误:

comp.cpp: In function ‘float* comp_arr(float*, int, float, float)’:
comp.cpp:35:8: warning: address of local variable ‘curvs’ returned [enabled by default]
/tmp/ccrDJjYq.o: In function `comp_arr(float*, int, float, float)':
comp.cpp:(.text+0x590): undefined reference to `__cxa_end_cleanup'
/tmp/ccrDJjYq.o:(.ARM.extab+0xc): undefined reference to `__gxx_personality_v0'
collect2: ld returned 1 exit status

我对C++还很陌生,我做错了什么?????

curvs数组是comp_arr函数中的局部变量。抛出第一个警告是因为一旦此函数返回,它所使用的内存(包括curvs数组)将超出范围。在main中引用返回的数组将导致未定义的行为;如果您想从函数返回一个数组,则必须通过new/malloc动态分配它。

您正在返回一个指向局部变量的指针。一旦到达comp_arr函数的右大括号,curvs就不在作用域内,不再存在,但您正在返回它的地址。如果数据仍然存在于内存中,程序甚至可以正常运行,但它可能随时被覆盖。