1

我是 C++ 新手,不明白为什么会收到错误“访问冲突读取位置”。这是我的代码:

gdiscreen();
int startX = 1823 - minusX;
int startY = 915 - minusY;
for (int i = startX; i < startX + 61; i++)
{
    for (int j = startY; j < startY + 70; j++)
    {
        Color pixelColor;
        bitmap->GetPixel(i, j, &pixelColor);
        cout << pixelColor.GetValue() << " ";
    }
    cout << endl;
}

gdiscreen() 可以在这里找到: http ://forums.codeguru.com/showthread.php?476912-GDI-screenshot-save-to-JPG

4

1 回答 1

2

访问冲突分段错误意味着您的程序试图访问未在范围内保留的内存。
有几个例子如何实现这一点:

离开数组的边界:

int arr[10];
for(unsigned char i=0; i<=10; i++)  //Will throw this error at i=10
    arr[i]=0;

注意: 在上面的代码中,我使用unsigned char迭代。Char 是一个字节,unsigned char0-255 也是。对于较大的数字,您可能需要unsigned short(2 个字节)或unsigned int(4 个字节)。

不小心用指针而不是整数计算

int ah = 10;
int *pointer = &ah;   //For some reason, we need pointer
pointer++;   //We should've written this: (*pointer)++ to iterate value, not the pointer
std::cout<<"My number:"<<*pointer<<'\n';  //Error - accessing ints address+1

我故意从广泛的解释开始。您首先想知道什么是访问冲突。在您的特定代码中,我非常确定您搞砸了i边界j。做一些std::cout调试。

于 2013-04-17T23:05:09.157 回答