C++getter函数:常量和非常量

C++ getter function : const and non const

本文关键字:常量 非常 函数 C++getter      更新时间:2023-10-16

我正在用C++编写一个带有robot类的程序。以下代码,当我尝试使用访问getter崩溃时

==19724== Stack overflow in thread 1: can't grow stack to 0xffe801ff8
==19724== Warning: client switching stacks?  SP change: 0x15788828 --> 0xffeffe990
==19724==          to suppress, use: --max-stackframe=68342473064 or greater
unknown location(0): fatal error in "trying": memory access violation at address: 0xffe801ff8: no mapping at fault address

这是getter代码:

#ifndef ROBOT_MAP
#define ROBOT_MAP
#include <iostream>
#include <stdio.h>
#include <cv.h>
#include <highgui.h>
class Robot{
protected : 
    int _y;
    int _x;
public : 
    Robot(int x, int y): _x(x), _y(y){};
    void setX(int x){_x = x;}
    void setY(int y){_y = y;}
    const int& getX() const {return _x;}
    int& getX(){return const_cast<int&>(static_cast <Robot &>(*this).getX());}
    const int& getY() const {return _y;}
    int& getY(){return const_cast<int&>(static_cast <Robot &>(*this).getY());}

};
#endif

我正在尝试正确地实现const和nonconst函数,因为我在这个网站的其他地方发现了它的定义。返回std::vector的getter同样有效,但一旦尝试SomeRobot.getX(),它就会崩溃。

我一直在valgrind上运行它,它没有给我更多的信息。

那么,导致它崩溃的代码中出了什么问题呢?

此处:

int& getX(){return const_cast<int&>(static_cast <Robot &>(*this).getX());}

由于*this被强制转换为Robot &(即未更改),因此会调用getX()的非常量版本,使此函数无限递归。它会随着堆栈溢出而死亡。

相反,写入

//                                                     vvvvv-- here
int& getX(){return const_cast<int&>(static_cast <Robot const &>(*this).getX());}

使CCD_ 6调用CCD_。getY()也是如此。

必须注意:小心const_cast。这是为数不多的使用它有意义的情况之一1并且没有疯狂的危险。尽管如此,我不得不说getX()getY()的功能体足够短,我毫不犹豫地复制它们。

1也就是说,如果函数更复杂,这将是有意义的。