0

我正在尝试为冒泡排序的字符数组制作模板函数专业化。但是由于某种原因,当我要定义函数时,函数名称上出现错误下划线,我不知道为什么。

template<typename T>
T sort(T* a, T n) {
    int i, j;
    int temp;

    for (i = n - 1; i > 0; i--) {
        for (j = 0; j < i; j++) {
            if (a[j] > a[j + 1]) {
                temp = a[j];
                a[j] = a[j + 1];
                a[j + 1] = temp;
            }
        }
    }
}

template<>
const char* sort<const char*>(const char* a, const char* n) {

}
4

1 回答 1

1

问题:

当您替换T为 时const char *,函数签名如下所示:

const char* sort<const char*>(const char** a, const char* n)
                             //        ^^^ T* a -> const char ** a

受到推崇的:

为什么还是你的签名template<typename T> T sort(T* a, T n)?您没有返回任何东西,而是将n其视为size_t. 我建议将您的签名更改为:

template<typename T> void sort(T* a, size_t n);

你的专长是:

template<> void sort<char>(char* a, size_t n); 
于 2014-04-03T02:26:12.473 回答