0

私は次のクラスを持っています:

template <typename T>
class Fixed2DContainer {

    T* ptr;

public:
    const int total_cols;
    const int total_rows;

    Fixed2DContainer(int cols, int rows);
    T& operator()(int col_n, int row_n);
    ~Fixed2DContainer();

private : //disallow copy
    Fixed2DContainer& operator=(const Fixed2DContainer&);
    Fixed2DContainer operator()(const Fixed2DContainer&);
};

ここで、このテンプレートを特定のクラスに特化して、別のコンストラクターを使用できるようにするだけの変更を加えたいと思います。基本的に私はできるようにしたい:

Fixed2DContainer<Image>("filename.jpg");

これを行うエレガントな方法はありますか?私はテンプレートにかなり慣れていないので、難しさはわかりません

4

3 に答える 3

3

コンパイラがそれをサポートしている場合、C++11 には継承コンストラクタがあり、目的の場所にほぼ到達できます。

template <typename T>
class Base {};              // has all the implementation

template <typename T>
class Template {
   using Base::Base;
   //Template() = delete;   // You might need this if you don't want
                            // the default constructor
};

template <>
class Template<int> {
   using Base::Base;
   Template( std::string const & x ) {}
   //Template() = delete;   // You might need this if you don't want
                            // the default constructor
};
于 2012-05-17T20:16:30.347 に答える
1

これが私の以前のコメントで私が意味したことの簡単な例です...

template <typename T>
class Fixed2DContainerBase {

  T* ptr;

public:
  const int total_cols;
  const int total_rows;

  Fixed2DContainerBase(int cols, int rows);
  T& operator()(int col_n, int row_n);
  ~Fixed2DContainerBase();

private : //disallow copy
  Fixed2DContainerBase& operator=(const Fixed2DContainerBase&);
  Fixed2DContainerBase(const Fixed2DContainerBase&);
};

// primary template
template <typename T>
class Fixed2DContainer : public Fixed2DContainerBase<T> {

  Fixed2DContainer(int cols, int rows);
  ~Fixed2DContainer();
};

// explicit specialization
template <>
class Fixed2DContainer<Image> : public Fixed2DContainerBase<Image> {

  Fixed2DContainer(int cols, int rows);
  Fixed2DContainer(const std::string&);
  ~Fixed2DContainer();
};

注意:基本クラスはコピーできないため、派生クラスもコピーできます。すべてのクリーンアップをベースデストラクタで実行できる場合は、派生クラスでデストラクタを定義する必要がない場合があります。

于 2012-05-17T18:28:15.867 に答える
0

私自身も同じ問題を抱えています。残念ながら、すべてのコンストラクターは汎用テンプレートに存在する必要があります。ただし、実行時に間違ったコンストラクターを使用する人を避けることができます。

template <typename T>
class Fixed2DContainer {

    // omitted

    Fixed2DContainer(string fileName)
    {
        // Do not allow construction of Fixed2DContainer with
        // string argument in general case
        ASSERT(false);
        // or
        throw new ExceptionType("Not implemented");
    }

    // omitted
};

template<>
class Fixed2DContainer<Image> {

    // omitted

    Fixed2DContainer(string fileName)
    {
        // Actual construction code
    }

    // omitted
};

コードはassertで中断するのに対し、例外の場合はcatchで中断し、デバッグが少し難しくなるため、assertが推奨されます。

于 2012-05-17T18:39:37.923 に答える