0

我正在使用 VS2012 Express、Platform Toolset v100 和 openFrameworks 0.7.4 构建我的 C++ 项目。

我有一个名为的类NameRect,这是.h文件的一部分:

void config(int cx, int cy, int cw, int ch, std::string cname) {
    x = cx;
    y = cy;
    w = cw;
    h = ch;
    name = cname;

    dead = false;
}

void branch(int iterants, std::vector<NameRect> *nrs) {
    for (int i = 0; i < iterants; i++) {
        NameRect nnr;
        nnr.config(x + w, y - iterants * h / 2 + i * h, w, h, "cb");

        children.push_back(nnr);
        nrs->push_back(nnr);
    }
}

void render() {
    if (!dead) {
        ofSetColor(ofRandom(0, 255), ofRandom(0, 255), ofRandom(0, 255), 0);
        ofRect(x, y, w, h);
    }
}

我的代码中有testApp.cpp

//--------------------------------------------------------------
void testApp::setup(){
    ofSetWindowShape(800, 600);

    nr.config(0, 300, 50, 10, "cb");
    nrs.push_back(nr);
}

//--------------------------------------------------------------
void testApp::update(){
    if (ofRandom(0, 50) <= 1 && nrs.size() < 100) {
        for (int cnri = 0; cnri < nrs.size(); cnri++) {
            if (ofRandom(0, nrs.size() - cnri) <= 1) {
                nrs[cnri].branch(2, &nrs);
            }
        }
    }
}

//--------------------------------------------------------------
void testApp::draw(){
    for (int di = 0; di < nrs.size(); di++) {
        nrs[di].render();
    }
}

当我实际构建(成功)这个项目并运行它时,它给了我这样一个错误:

这个错误

我看一下局部变量手表,它显示了如此大的整数值!

手表

问题是什么?

4

2 回答 2

1

branch() 正在修改作为第二个参数传入的向量数组。

这意味着当您从 testApp::update() 调用 nrs[cnri].branch(2, &nrs) 时,会修改底层数组结构。这将导致不可预测的结果,并且肯定会导致您的访问冲突。

于 2013-04-25T13:45:47.420 回答
0

您的问题 #1 是nrs[cnri].branch(2, &nrs);,您可能会在执行操作时nrs[cnri]从内部重新分配内存branch()push_back()

你的问题 #2,一旦你开始将你的标题包含到多个 cpp 文件中,你将面临的问题是你定义函数的方式。如果您在标题中定义它们,请放置“内联”,否则您将在多个位置定义相同的函数。

于 2013-04-25T13:46:02.527 回答