0

我有一个非常简单的模板,它是一个容器,它是一个 T 数组。我收到一个语法错误:

container.h(7):错误 C2143:语法错误:缺少 ';' 前 '&'。我曾尝试删除那里的声明,但错误只是跳到定义。将不胜感激任何帮助。

编辑:现在我修复了使用命名空间的东西,但弹出了另一个错误:container.h(8): error C2975: 'Container' : invalid template argument for 'unnamed-parameter', expected compile-time constant expression

#include <typeinfo.h>
#include <assert.h>
#include <iostream>
#pragma once

using namespace std; 
template <typename T, int> class Container;
template <typename T, int> ostream& operator<< <>(ostream &, const Container<T,int> &);

template<class T , int capacity=0> class Container
{
    //using namespace std;
private:
    T inside[capacity];
public:
    Container()
    {

    }

    ~Container(void)
    {
    }

    void set(const T &tType, int index)
    {
        assert(index>=0 && index<= capacity);
        inside[index] = tType;
    }

    T& operator[](int index)
    {
        assert(index>=0 && index<= capacity);
        return inside[index];
    }

    friend ostream& operator<< <>(ostream& out, const Container<T,int> c);
    {
        for(int i=0;i<sizeof(inside)/sizeof(T);i++)
            out<<c.inside[i]<< "\t";
        return out;
    }
};
4

2 回答 2

4

你可能想要:

template <typename T, int N>
ostream& operator<<(ostream &, const Container<T,N> &);
//                                               ^ here you need N, not int!

或者,由于您实际上不需要前向声明,您可以简单地在您的类中使用此实现:

friend ostream& operator<<(ostream & out, const Container<T,capacity>& c)
{
    for(int i=0;i<capacity;++i)
        out<<c.inside[i]<< "\t";
    return out;
}
于 2013-09-11T12:09:55.940 回答
0

你想要这样的东西:

template <typename T, int N>
friend ostream& operator<<(ostream & out, const Container<T,N>& c) {
    for(int i=0;i<sizeof(inside)/sizeof(T);i++)
        out<<c.inside[i]<< "\t";
    return out;
}
于 2013-09-11T12:14:45.360 回答