4

授業があります:

class IntegerVector:
{
    IntegerVector operator * (const int scalar) const;
};

class RealVector:
{
    RealVector(const IntegerVector &other);
    RealVector operator * (const double scalar) const;
};

式:を現在の状態ではなくinteger_vector*1.5等価にする方法を教えてください。RealVector(integer_vector)*1.5integer_vector*int(1.5)

編集

ところで、これらの演算子はたくさんあるので、定義RealVector IntegerVector::operator * (const double scalar) constはあまり満足のいくものではありません。

4

2 に答える 2

3

C++11 では、組み込み型の昇格を次のように利用できます。

#include <type_traits>

class IntegerVector;
class RealVector;

template <class T> struct VectorForType {};
template <> struct VectorForType<int> {typedef IntegerVector type;};
template <> struct VectorForType<double> {typedef RealVector type;};

// This is where we figure out what C++ would do..
template <class X, class Y> struct VectorForTypes
{
  typedef typename VectorForType<decltype(X()*Y())>::type type;
};


class IntegerVector
{
public:
    template <class T> struct ResultVector
    {
      typedef typename VectorForTypes<int, T>::type type;
    };

    template <class T>
    typename ResultVector<T>::type operator*(const T scalar) const;
};

class RealVector
{
public:
    template <class T> struct ResultVector
    {
      typedef typename VectorForTypes<double, T>::type type;
    };

    RealVector();
    RealVector(const IntegerVector &other);

    template <class T>
    typename ResultVector<T>::type operator*(const T scalar) const;
};


int main()
{
  IntegerVector v;
  auto Result=v*1.5;
  static_assert(std::is_same<decltype(Result), RealVector>::value, "Oh no!");
}

decltype なしでこれが必要な場合は、おそらく型昇格の結果をメタ関数として実装することもできます。オペレーターの実装は次のようになると思います。

template <class T> inline
typename ResultVector<T>::type IntegerVector::operator*(const T scalar) const
{
  typename ResultVector<T>::type Result(this->GetLength());
  for (std::size_t i=0; i<this->GetLength(); ++i)
    Result[i]=(*this)*scalar;
  return Result;
}
于 2012-07-14T10:14:46.867 に答える
2

このようなものを使用できます...これは解決策ですが、非常に奇妙ですが、より良いものを発明することはできません。

#include <iostream>
#include <type_traits>

class IntegerVector;

class RealVector
{
public:
    RealVector(const IntegerVector &other) { }
    RealVector operator * (const double scalar) const { std::cout << "RealV called" << std::endl;  return *this; }
};

class IntegerVector
{
public:
    IntegerVector operator * (const int scalar) const
    {
       std::cout << "IntV called" << std::endl;
       return *this;
    }
    template<typename T>
    typename std::conditional<std::is_same<T, int>::value, IntegerVector, RealVector>::type
    operator * (const T scalar) const
    {
       decltype(operator *<T>(scalar)) object(*this);  
       return object * scalar;
    }
};

int main()
{
   IntegerVector v;
   v * 1.5;
}

http://liveworkspace.org/code/b72cde05ca287042300f4aff0f185a42

于 2012-07-14T10:13:43.247 に答える