45

我的Student类中有一个私有变量,定义为:

const int studentNumnber;

我正在尝试为 编写一个复制构造函数,Student并且我需要抛弃 constness 来执行此操作。不幸的是,我不明白如何使用std::const_cast.

这就是我在复制构造函数中尝试做的事情:

    Student(const Student & s) 
        : Person(p.getName(), p.getEmailAddress(), p.getBirthDate()), school(0), studentNumber(0) {
        school = new char[strlen(s.school) + 1];
        strcpy_s(school, strlen(s.school) + 1, s.school);
        const_cast<int*>(this)->studentNumber = s.studentNumber;
        //studentNumber = s.studentNumber);
    }

那不起作用...我不确定语法。

4

2 回答 2

123

您不允许使用const_cast实际上是const. 这会导致未定义的行为。const_cast用于从最终引用非const.

所以,这是允许的:

int i = 0;
const int& ref = i;
const int* ptr = &i;

const_cast<int&>(ref) = 3;
*const_cast<int*>(ptr) = 3;

这是允许的,因为i分配给的对象不是const。以下是不允许的:

const int i = 0;
const int& ref = i;
const int* ptr = &i;

const_cast<int&>(ref) = 3;
*const_cast<int*>(ptr) = 3;

因为这里iconst并且您正在通过为其分配一个新值来对其进行修改。代码会编译,但它的行为是不确定的(这可能意味着从“它工作得很好”到“程序会崩溃”。)

您应该在构造函数的初始化程序中初始化常量数据成员,而不是在构造函数的主体中分配它们:

Student(const Student & s) 
    : Person(p.getName(), p.getEmailAddress(), p.getBirthDate()),
      school(0),
      studentNumber(s.studentNumber)
{
    // ...
}
于 2013-10-24T00:37:40.610 回答
-6

在您的代码中,您尝试强制转换此指针而不是变量。您可以尝试以下方法:

Student(const Student & s)
    : Person(p.getName(), p.getEmailAddress(), p.getBirthDate()), school(0), studentNumber(0) {
    school = new char[strlen(s.school) + 1];
    strcpy_s(school, strlen(s.school) + 1, s.school);
    *const_cast<int*>(&studentNumber) = s.studentNumber;
}
于 2018-03-03T01:49:11.140 回答