不知道如何使用模板调用类函数

时间:2012-05-29 14:30:43

标签: c++ templates

我正在使用模板创建自己的词典(不,我不会,我不会使用STL中的任何内容)

我想要一个非常简单的搜索功能,但我有一个小问题。

template <typename TElement>
void Dictionary<TElement>::search(TElement ADT, int key) {  // Abstract Data Type
    inf flag = 0;
    index =  int (key % max);
    temp[index] = root[index]; // root of the hash
    while (temp[index]->next != NULL) {
        if(temp[index]->data->key_actual_name == key) { @things happen }
    }
}

我想要了解的内容:如何使用模板,以便在有任何意义的情况下我可以temp[index]->data-><template call>

我想通过使用来调用字典:Class_type == TElement,“key”总是一个int,但它可以是不同的东西。它可能是ID或电话号码。问题是我需要使用密钥的实际名称(if(temp[index]->data->ID (or phone or what ever) == key){@things happen}),我想我可以在这里使用模板,但我不知道如何。

也许相关:

template <typename TElement>
typedef struct list{
    TElement data;
    struct list *next;
}node_type;
node_type *ptr[max], *root[max], *temp[max]; 

另外,如果我使用key_actual_name的模板,实现将如何工作以及如何调用该函数?

2 个答案:

答案 0 :(得分:5)

您可以从find_if等标准库函数中获得灵感,这些函数有一个额外的参数用于比较。

template <class InputIterator, class Predicate>
InputIterator find_if ( InputIterator first, InputIterator last, Predicate pred );

然后,您可以传递一个参数,告诉search函数如何找到您要查找的密钥。也许用

替换==的使用
if(pred(temp[index]->data, key)) { @things happen }

并传递不同的pred函数,用于将密钥与适当的成员进行比较。

答案 1 :(得分:1)

如果我理解正确:

temp[index]->data->key_actual_name

解析为TElement的数据成员,这是一个int,您希望它是一个模板。 如果是这种情况,你可以这样做:

template <template <class> class TElement, typename TKey>
struct node_type
{
    TElement<TKey> data;
    node_type *next;
};

template <template <class> class TElement, typename TKey>
class Dictionary
{
    typedef node_type<TElement, TKey> node_t;
    node_t _root;

    void search(node_t& node, const TKey& key)
    {
        TKey& thekey = node.data.key_actual_name;
        // Do some algorithm
    }
public:
    void search(const TKey& key)
    {
        search(_root, key);
    }
};

template <class T>
struct Element
{
    T key_actual_name;
};

int main(int argc, char ** argv)
{
    Dictionary<Element, int> dic1;
    dic1.search(1);

    Dictionary<Element, char> dic2;
    dic2.search('a');

    return 0;
}

正如您所看到的,Element有一个模板参数,因此您可以将key_actual_name的类型更改为适合您的情况,但让搜索功能以通用方式访问它(假设它具有operator == overload)