微信公众号搜"智元新知"关注
微信扫一扫可直接关注哦!

C分段故障

我已经阅读了有关分段错误内容,但未能明白为什么应该由以下代码引起.

#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;
}

版权声明:本文内容由互联网用户自发贡献,该文观点与技术仅代表作者本人。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如发现本站有涉嫌侵权/违法违规的内容, 请发送邮件至 dio@foxmail.com 举报,一经查实,本站将立刻删除。

相关推荐