没有函数模板的实例匹配参数列表(尝试打印数组)

时间:2015-03-12 02:37:29

标签: c++ templates cuda compiler-errors

尝试编译时

template<typename type,const char* format>__device__ void d_prettyPrintVector(type* v, const unsigned int size)
{
    printf("\n ");
    for(int i=0; i<size; i++)
            printf(format, v[i]);
}
template<> void d_prettyPrintVector<float, "%4.1f ">(float*, const    unsigned int);
template<> void d_prettyPrintVector<int,   "%2d "  >(int*,   const unsigned int);
template<> void d_prettyPrintVector<char,  "%2d "  >(char*,  const unsigned int);
template<> void d_prettyPrintVector<bool,  "%d"    >(bool*,  const unsigned int);

并像这样使用

d_prettyPrintVector(dc, blockDim.x);

我正在

kernels.cu(104): error: no instance of function template "d_prettyPrintVector" matches the argument list
        argument types are: (int *, const unsigned int)

出了什么问题?

1 个答案:

答案 0 :(得分:1)

我认为您不清楚如何使用类型floatint等来获取适当的格式字符串。

您可以重新设计您的功能,如下所示:

 template <typename type>
 void d_prettyPrintVector(type* v, const unsigned int size)
 {
    printf("\n");
    for(int i=0; i<size; i++)
            printf(getFormatString<type>(), v[i]);
                   // ^^^ Get an format string appropriate for the type.
 }

如果您有一个功能模板,那将是完全有效的代码:

 template <typename type> char const* getFormatString();

对您感兴趣的类型有专门化。换句话说,以下内容应该有效:

 template <typename type> char const* getFormatString();

 template <typename type>
 void d_prettyPrintVector(type* v, const unsigned int size)
 {
    printf("\n");
    for(int i=0; i<size; i++)
            printf(getFormatString<type>(), v[i]);
                   // ^^^ Get an format string appropriate for the type.
 }

 template <> char const* getFormatString<float>() { return "%4.1f "; }
 template <> char const* getFormatString<int>()   { return "%2d "; }
 template <> char const* getFormatString<char>()  { return "%2d "; }
 template <> char const* getFormatString<bool>()  { return "%1d "; }

现在,您可以使用:

 int a[] = {1, 2};
 d_prettyPrintVector(a, 2);

 float b[] = {1.1f, 2.2f};
 d_prettyPrintVector(b, 2);

没有任何问题。

<强>附加

你可以扩展这个想法,提供一个lambda函数作为d_prettyPrintVector的参数。 lambda函数可以返回一个更适合单个用例的自定义格式字符串。

重载d_prettyPrintVector。提供一个可以将lamba函数作为参数的函数。

 template <typename type, typename Format>
 void d_prettyPrintVector(type* v, const unsigned int size, Format format)
 {
     printf("\n");
     for(int i=0; i<size; i++)
             printf(format(), v[i]);
}

您甚至可以使用新功能实现初始功能,因此您不必重复打印项目的详细信息。

template <typename type> char const* getFormatString();

template <typename type>
void d_prettyPrintVector(type* v, const unsigned int size)
{
   d_prettyPrintVector(v, size, [](){return getFormatString<type>();});
}

现在,除了之前打印ab的调用之外,您现在可以使用:

   // Define the format on the fly, using a lambda function.
   d_prettyPrintVector(a, 2, []() -> char const* {return "%4d ";});

   // Define the format on the fly, using a lambda function.
   d_prettyPrintVector(b, 2, []() -> char const* {return "%.6f ";});