C++ 更改 const 结构成员的值

C++ Changing the values of members of a const struct

我有一个在 types.h 中定义的结构,代码如下:

struct data_Variant {

    FlightPlanSteeringDataRecord steeringData;
    FlightPlanType               flightPlan    :  8;
    MinitoteLegDataType          legDataType   :  8; // discriminent, either current or amplified
    unsigned                     spare         : 16;
    union {
            // currentLeg =>
            CurrentLegDataRecord currentLegData;

            // amplifiedLeg =>
            AmplifiedLegDataRecord amplifiedLegData;
    } u;

};

然后我尝试将该结构的实例作为参数传递给名为 dialogue.cpp:

的 C++ 源文件中的函数
void dialogue::update( const types::data_Variant& perfData){
...
}

我现在想更改此 update() 函数中该结构的某些成员的值。但是,如果我像往常一样尝试这样做,即

perfData.etaValid = true;

我收到一个编译错误:"C2166: l-value specifies const object"。据我了解,这是因为 perfData 已被声明为常量变量。我这样想对吗?

由于我没有编写这部分代码,只是想用它来更新 GUI 上显示的值,所以我真的不想通过删除来更改 perfData 变量const 关键字,以防我破坏其他东西。有什么方法可以更改已声明为 const 的变量的值?

我尝试在代码的另一部分声明相同的结构变量,而不使用 const 关键字,看看我是否可以在那里更改其某些成员的值......即在 Interface.cpp,我将以下代码添加到名为 sendData() 的函数中:

types::data_Variant& perfData;
perfData.steering.etaValid = true;
perfData.steering.ttgValid = true;

但是,我现在在这些行上遇到以下编译错误:

error C2653: 'types' is not a class or namespace name
error C2065: data_Variant: undeclared identifier
error C2065: 'perfData': undeclared identifier
error C2228: left of '.steering' must have class/ struct/ union

有没有办法更新这个结构的值?如果是这样,我应该怎么做,我在这里做错了什么?

我已将以下功能添加到 dialogue.cpp 源文件中,如答案中所建议:

void dialogue::setFPTTGandETAValidityTrue(
FlightPlanMinitoteTypes::FlightPlanMinitoteData_Variant& perfData)
{
SESL_FUNCTION_BEGIN(setFPTTGandETAValidityTrue)
    perfData.steeringData.fpETAValid = true;
    perfData.steeringData.fpTTGValid = true;
SESL_FUNCTION_END()
}

您可以为自己添加一个包装器。

void myupdate(dialogue& dia, types::data_Variant& perfData)
{
    perfData.etaValid = true;
    dia.update(perfData);
}

然后调用 myupdate() 而不是 dialogue::update()

您声明

void dialogue::update( const types::data_Variant& perfData){
   ...
}

constyou 的声明:"I won't modify the referenced object in this function"。如果你想在 dialogue::update 中修改它,你必须删除 const 关键字。在我看来,包装不是解决方案,它会使代码更难维护。我也投票反对用 const_cast.

删除 const

如果要修改该函数内的引用对象,正确的解决方案是从方法声明中删除 const。