3

長年の読者、初めてのポスター!

始める前にいくつかのコメント: 私は誰かに仕事をしてもらうつもりはありません。ちょっとしたガイダンスが必要なだけです。また、かなりの量のグーグルを実行しましたが、まだ解決策を見つけることができませんでした.

次のクラスのテンプレートを作成するクラスの課題があります。

class SimpleStack
{
public:
  SimpleStack();
  SimpleStack& push(int value);
  int pop();

private:
  static const int MAX_SIZE = 100;
  int items[MAX_SIZE];
  int top;
};

SimpleStack::SimpleStack() : top(-1)
{}

SimpleStack& SimpleStack::push(int value)
{
  items[++top] = value;
  return *this;
}

int SimpleStack::pop()
{
  return items[top--];
}

以下を除いてすべてが機能するようですSimpleStack& push(int value)

template <class T>
class SimpleStack
{
public:
  SimpleStack();
  SimpleStack& push(T value);
  T pop();

private:
  static const int MAX_SIZE = 100;
  T items[MAX_SIZE];
  int top;
};

template <class T>
SimpleStack<T>::SimpleStack() : top(-1)
{}

template <class T>
SimpleStack& SimpleStack<T>::push(T value)
{
  items[++top] = value;
  return *this;
}

template <class T>
T SimpleStack<T>::pop()
{
  return items[top--];
}

SimpleStack& push(int value)の定義で、 「クラス テンプレートの使用にはテンプレート引数リストが必要です」および「関数定義を既存の宣言と一致させることができません」というエラーが発生し続けます。

それが役立つ場合は、ここにメインがあります:

#include <iostream>
#include <iomanip>
#include <string>
#include "SimpleStack.h"
using namespace std;

int main()
{
  const int NUM_STACK_VALUES = 5;
  SimpleStack<int> intStack;
  SimpleStack<string> strStack;
  SimpleStack<char> charStack;

  // Store different data values
  for (int i = 0; i < NUM_STACK_VALUES; ++i)
  {
    intStack.push(i);
    charStack.push((char)(i + 65));
  }
  strStack.push("a").push("b").push("c").push("d").push("e");

  // Display all values
  for (int i = 0; i < NUM_STACK_VALUES; i++)
    cout << setw(3) << intStack.pop();
  cout << endl;

  for (int i = 0; i < NUM_STACK_VALUES; i++)
    cout << setw(3) << charStack.pop();
  cout << endl;

  for (int i = 0; i < NUM_STACK_VALUES; i++)
    cout << setw(3) << strStack.pop();
  cout << endl;

  return 0;
}

余計なコード貼り付けすみません!

4

1 に答える 1