3

我编写了以下函数来对向量的每个元素应用各种数学运算:

namespace MYFUNCTION
{
    template<class T>
    std::vector<T> eop(const std::vector<T> &v1, T (*f)(T))
    {
        std::vector<T> v2(v1.size());
        for(int ii = 0; ii < v1.size(); ii++)
        {
            v2[ii] = (*f)(v1[ii]);
        }
        return v2;
    }
}

我还为参数重载了cosh()函数:std::vector

namespace MYFUNCTION
{
    template<class T>
    std::vector<T> cosh(const std::vector<T> v1)
    {
        return eop(v1,static_cast<T (*)(T)>(&std::cosh));
    }
}

如果我使用这个函数来输入double一切都很好。如果我std::complex<double>改用,我会收到编译器错误。

std::vector<double> a(2);
a[0] = 1.0;
a[1] = 2.0;
std::cout << MYFUNCTION::cosh(a) << std::endl; // Works fine.

std::vector<std::complex<double> > b(2);
b[0] = 1.0 + std::complex<double>(0.0,1.0);
b[1] = 2.0;
std::cout << MYFUNCTION::cosh(b) << std::endl; // Compiler error.

编译器错误是:

error: invalid static_cast from type ‘&lt;unresolved overloaded function type>’ to type ‘std::complex<double> (*)(std::complex<double>)’

编辑:这是cosh函数的样子complex.h

template<class T> complex<T> cosh (const complex<T>& x);

这是cosh函数的样子cmath.h

double cosh (double x);

我已经包括了complex.hcmath.h

4

1 回答 1

4

由于std::coshforstd::complex<T>是一个函数模板,&std::cosh对编译器没有意义,因为std::cosh不是函数,它是函数族的模板。您需要编写另一个重载来处理这种情况:

#include <complex> //it is where std::cosh<T> is defined

template<class T>
std::vector<std::complex<T>> cosh(std::vector<std::complex<T>> const & v1)
{
    typedef std::complex<T> cosh_type( std::complex<T> const &);
    return eop(v1, static_cast<cosh_type*>(&std::cosh<T>) );
}

顺便说一句,通过引用传递参数以避免不必要的副本。

希望有帮助。

于 2013-08-16T19:59:15.857 回答