填充指向返回结构的类get函数的指针数组

时间:2018-07-16 13:30:10

标签: c++ pointers struct

我正在尝试填充一个指针数组。我需要MyClass的两个(或更多)实例的myVar数据。但是由于某种原因,我没有得到想要的结果。

头文件:

typedef struct {
    int value;
    int otherValue; // We do nothing with otherValue in this example.
} mytype_t;

class MyClass {
    public:
        MyClass(void) {}
        ~MyClass(void) {}
        void set(float _value) {
            myVar.value = _value;
        }
        mytype_t get(void) { // We get the data through this function.
            return myVar;
        }
    protected:
    private:
        mytype_t myVar; // Data is stored here.
};

Cpp文件:

MyClass myInstances[2];

int main(void) {

    // Set private member data:
    myInstances[0].set(75); 
    myInstances[1].set(86);

    mytype_t *ptr[2];

    ptr[0] = &(myInstances[0].get());
    ptr[1] = &(myInstances[1].get());

    Serial.print(ptr[0]->value); // Prints 75 -> As expected!
    Serial.print(":");
    Serial.print(ptr[1]->value); // Prints 86
    Serial.print("\t");

    for (int i = 0; i < 2; i++) {
        Serial.print(myInstances[i].get().value); // Prints 75, and next iteration 86 -> As expected.
        if (i == 0) Serial.print(":");
        ptr[i] = &(myInstances[i].get()); // Set ptr
    }
    Serial.print("\t");

    Serial.print(ptr[0]->value); // Prints 86 -> Why not 75..?
    Serial.print(":");
    Serial.print(ptr[1]->value); // Prints 86
    Serial.println();
}

程序输出:

75:86   75:86   86:86

不是:

75:86   75:86   75:86

为什么它指向另一个实例(值86)呢?我该如何解决?还是我想做的事不可能?

P.S。该代码在PC平台上运行。我正在使用基于Arduino语法的自己的Serial类。

1 个答案:

答案 0 :(得分:2)

您正在为从get返回的临时对象分配指针。您没有为MyClass对象的内部分配指针。更改您的代码,以使get返回引用而不是副本。

mytype_t& get(void) { // We get the data through this function.
        return myVar;
}

这应该使您的程序正常工作。但是,返回对另一个对象内部的引用不是一种好习惯。您可能应该重新考虑您的设计。