我已经阅读了有关分段错误的内容,但未能明白为什么应该由以下代码引起.
#include<iostream> #include <stdlib.h> using namespace std; int main(){ int input; cout << "Enter length of desired array." << "\n"; cin >> input; int A [input]; //Populate and print the Array. for(int i=0; i<sizeof(A); i++){ A[i] = rand()%99; cout << A[i] << " "; } return 0; }
解决方法
这里有几个问题:
>您正在使用可变长度数组.它不允许在C中.所以它必须是编译器扩展.
> sizeof(A)以字节为单位返回大小,而不是元素数.因此,您正在超越阵列.您需要将其除以每个元素的大小.
您应该将循环更改为:
for(int i=0; i < input; i++){
int main(){ int input; cout << "Enter length of desired array." << "\n"; cin >> input; int *A = new int[input]; // Allocate //Populate and print the Array. for(int i=0; i<sizeof(A); i++){ A[i] = rand()%99; cout << A[i] << " "; } delete[] A; // Free the allocated memory return 0; }