在C ++中初始化模板时将函数传递给模板对象

时间:2015-11-23 00:01:10

标签: c++ templates hashmap parameter-passing hashtable

我正在尝试为哈希映射编写实现,除了iostream,string和cassert之外,我不允许使用stdlib中的任何内容。

它必须是通用的,因此填充存储桶的值可以是任何类型。我需要模板,但无法以任何方式传递哈希函数。这将是头文件:

template<typename Value, typename hashFunction>
class hashTable{
    public:
      hashTable(int size){
        //Creates an empty vector of size on the table
      }
      define(Value v){
        loads value in Vector[hashFunction(v)];
      }
      ...
    private:
      Vector with all the elements
}

注意:我想我不需要按键模板,是吗?

我无法在我的类中定义哈希函数,因为我必须创建一个适用于所有类型的哈希函数(字符串为int,int为int,double为int等)。所以我想唯一的解决方案就是将函数作为参数传递给我的main。这将是主要的。

int hashF(int v){return v}
int main(){
  hashTable<int,int,hashF> table(5);
}

但这不起作用,g ++告诉我&#34;期望的类型但是得到了hashF&#34;。我想我可以传递指向函数的指针,但这似乎是一个黑客而不是一个真正的解决方案。还有更好的方法吗?

2 个答案:

答案 0 :(得分:1)

template<typename Value, int(*fun)(Value)>
class hashTable {
  std::vector<Value> v;
public:
  hashTable(std::size_t size) : v(size) { }
  void define(Value &&val) { v[fun(val)]  = val; }
};

Live Demo

非函数指针方式:

template<typename Value, typename F>
class hashTable {
  std::vector<Value> v;
  F fun;
public:
  hashTable(std::size_t size, F fun_) : v(size), fun(fun_) { }
  void define(Value &&val) { v[fun(val)]  = val; }
};

Live Demo

答案 1 :(得分:0)

管理以使其与Neil的建议合作。我的hash.h:

template<typename C, typename D, typename H>
class Tabla {
public:
Tabla(int s){
    cout << hashF(3) << endl;
    size=s;
}
private:
    H hashF;
    int size;
};

我的hash.cpp

struct KeyHash {
unsigned long operator()(const int& k) const
{
    return k % 10;
}
};
int main(){
    Tabla<int,int,KeyHash> tab(3);
    return 0;
}

这个例子只是为了表明我能够在模板中使用该函数,然后我必须编写使用该KeyHash的define和delete函数。

Dunno为什么我必须像这样包装它,但它有效。找到了它的具体细节here