0

我正在阅读 C++ 中的思考。有一个我不明白的代码片段。谁能帮我解释一下?

class GameBoard {
public:
  GameBoard() { cout << "GameBoard()\n"; }
  GameBoard(const GameBoard&) { 
    cout << "GameBoard(const GameBoard&)\n"; 
  }
  GameBoard& operator=(const GameBoard&) {
    cout << "GameBoard::operator=()\n";
    return *this;
  }
  ~GameBoard() { cout << "~GameBoard()\n"; }
};

class Game {
  GameBoard gb; // Composition
public:
  // Default GameBoard constructor called:
  Game() { cout << "Game()\n"; }
  // You must explicitly call the GameBoard
  // copy-constructor or the default constructor
  // is automatically called instead:
  Game(const Game& g) : gb(g.gb) { 
    cout << "Game(const Game&)\n"; 
  }
  Game(int) { cout << "Game(int)\n"; }
  Game& operator=(const Game& g) {
    // You must explicitly call the GameBoard
    // assignment operator or no assignment at 
    // all happens for gb!
    gb = g.gb;
    cout << "Game::operator=()\n";
    return *this;
  }
  class Other {}; // Nested class
  // Automatic type conversion:
  operator Other() const {
    cout << "Game::operator Other()\n";
    return Other();
  }
  ~Game() { cout << "~Game()\n"; }
};

在上面的代码片段中,我不明白:

  operator Other() const {
    cout << "Game::operator Other()\n";
    return Other();
  }

我猜这个函数定义了一个运算符“ Other()”。回归意味着什么Other()?如果Other()表示 Other 类的对象,则运算符 " " 的返回类型Other()不是 class 的类型Other

4

3 回答 3

2

它是一个转换运算符(不是强制转换运算符)。每当您的代码要求转换Other操作员时,都会使用。您的代码可以通过两种方式调用转换。在以下情况下会发生隐式转换:

Game g;
Game::Other o(g); // **implicit conversion** of g to Game::Other

当您在代码中编写强制转换时会发生转换

Game g;
Game::Other o(static_cast<Game::Other>(g)); // **explicit conversion**
    // of g to Game::Other
于 2013-02-17T15:33:06.853 回答
0

它是一个强制转换运算符。

当您写作时(Other)game;(即您将游戏投射到Other)。

它会被调用。

于 2013-02-17T15:24:06.780 回答
0

这是一个 C++ 强制转换运算符。它定义了如果一个对象将被强制转换为类 Other 会发生什么。

于 2013-02-17T15:24:18.837 回答