Specialization of a class template method, with typenames that are class template - error: type/value mismatch at argument

Specialization of a class template method, with typenames that are class template - error: type/value mismatch at argument

我的问题是,当它是另一个模板的参数时,我是否必须指定模板的"type"?这是一种方法的专门化。

允许我把你放在上下文中。

我正在做一款井字棋游戏,其中有一个模板计算机class。所以,我可以在参数中设置它的难度级别。 这是它的一个示例:

template<int T>
class Computer
{
    Node *Root;         /**< Root of a decision tree */
    Node *Current;      /**< Current node in a decision tree*/

    int PlayerNumber;   /**< Player ID*/
    int OponnentNumber  /**< Opponent ID*/

  Public:

    /**< Constructor destructor */
    int refreshBoard(int move);
    int play()const; /**< This methods has different implementations, for each level of difficulty*/
}

然后,我想出了一个想法来创建一个模板 TicTacToe class,因此参数接收不同类型的玩家。 这是一个示例。

template <typename T1, typename T2>
class TicTacToe
{
    T1 &Player1;        /**< Simulates the first player */
    T2 &Player2;        /**< Simulates the second player */

     Board &b__;        /**< Simulates a board */

     int TurnCounter; 
 public:
    int newTurn(); 
 /* This method is implemented differently for each type of combination of player
  * Lets say player 1 is Human and player 2 is computer. The new turn will 
  * change the state of the board and will return 1 if there is still new turns 
  * to come.
  */
}

回到我的问题:我在设置正确的语法方面遇到了问题,所以编译器理解我的意思。

它 returns 很多错误:

error: type/value mismatch at argument 2 in template parameter list for ‘template<class T1, class T2> class TicTacToe’
 int JogoVelha<Human,Computer>::newTurn()`


note: expected a type, got ‘Computer’
header/TicTacToe.h:201:40: error: ‘newTurn’ is not a template function
 int TicTacToe<Human,Computer>::newTurn()

对于此类组织

template<>
int TicTacToe<Human,Computer>::newTurn() 
...implementation

我不明白为什么。我需要你的帮助。

Computer是一个class模板,使用时必须指定模板参数,例如

template<>
int TicTacToe<Human,  Computer<42>>::newTurn()

或者您可以 partial specify TicTacToe 用于 class 模板,例如 Computer,它采用 int 模板参数。 .例如

template <typename T1, template <int> class T2, int I>
class TicTacToe<T1, T2<I>>

{
    T1 &Player1;        
    T2<I> &Player2;
    ...
};

然后像这样使用它

TicTacToe<int, Computer<42>> t;

LIVE