如何调用一个函数模板,该模板将不同的类模板作为参数列表

时间:2014-10-05 00:36:14

标签: c++ arrays templates

我需要创建一个模板函数,它需要2 std::array个不同的大小,但我不知道如何从main函数调用它:

// write a function to combine two sorted arrays and keep the resulting array sorted

#include<iostream>
#include<array>
using namespace std;

template <class T, size_t size>
template <class T, size_t size_1>
template <class T, size_t size_2>
array<T, size> combine(array<T, size_1> a, array<T, size_2> b)
{
    int i, j, k;
    i = j = k = 0;
    array<T, size> c;
    while (i < size_1 && k < size_2) {
        if (a[i] < b[k]) {
            c[j] = a[i];
            j++;
            i++;
        } else {
            c[j] = b[k];
            j++;
            k++;
        }
    }
    if (i < size_1) {
        for (int q = j; q < size_1; q++)
            c[j] = a[q];
    } else {
        for (int e = k; e < size_2; q++)
            c[j] = b[e];
    }
    return c;
}

int main()
{
    std::array<int, 5> a = { 2, 5, 15, 18, 40 };
    std::array<int, 6> b = { 1, 4, 8, 10, 12, 20 };
    std::array<int, 11> c;
    c = combine<int>(a, b);
    for (int i = 0; i < c.size(); i++) {
        cout << c[i];
    }

    return 0;
}

1 个答案:

答案 0 :(得分:3)

您要做的是传递两个不同大小的array,并返回array,其大小是两种尺寸的总和。

您可以这样声明您的功能:

template <typename T, std::size_t X, std::size_t Y>
std::array<T, X+Y> combine (std::array<T, X> a, std::array<T, Y> b)
{
    //...
}

这样,模板函数参数推导就可以了。因此,您可以避免使用显式模板参数来调用函数。

    std::array<int, 5> a = { 2, 5, 15, 18, 40 };
    std::array<int, 6> b = { 1, 4, 8, 10, 12, 20 };
    auto c = combine(a, b);