我阅读了相关文章,但仍然无法弄清楚。
在我的.h文件中,我定义了一个模板类:

template <typename P, typename V>
class Item {
 public:
    P priority;
    V value;
    Item(P priority, V value): priority(priority), value(value){}
};

在我的主要功能中,我尝试制作具有特定类型的Items的 vector 。
Item<int, string> Item1(18, "string 1");
Item<int, string> Item2(16, "string 2");
Item<int, string> Item3(12, "string 3");
Item<int, string> Item[3] = {Item1, Item2, Item3}
vector<Item<int, string> > Items(Item, Item + 3);

但是我不断收到编译错误,说:
expected '(' for function-style cast or type construction
vector<Item<int, string> > Items(Item, Item + 9);
            ~~~^

最佳答案

这是工作代码

#include<iostream>
#include<vector>
using namespace std;
template <typename P, typename V>
class Item
{
public:
    P priority;
    V value;
    Item(P priority, V value): priority(priority), value(value) {}
};
int main()
{
    Item<int, string> Item1(18, "string 1");
    Item<int, string> Item2(16, "string 2");
    Item<int, string> Item3(12, "string 3");
    Item<int, string> ItemL[3] = {Item1, Item2, Item3};
    vector<Item<int, string> > Items(ItemL, ItemL+3);
}

您有几个问题:
Item<int, string> Item[3] = {Item1, Item2, Item3}行后缺少
  • 分号
  • Item<int, string> Item[3]行中,您的类名称Item和名为Item的Item数组不明确。因此,将其重命名为ItemL
  • 关于c++ - 具有两种类型的模板的 vector ,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/33250120/

    10-11 22:57