2

我正在尝试为我的方法创建一个标识符。这个标识符对我的工作很重要,因为它实际上是硬件综合。

我有以下模板类:

        template <int FF_COUNT, int FB_COUNT, int NEXT_COUNT>
        class Core{
        public:
        ...
            template<int id> void consume_fb_events (hls::stream<event>  feedback_stream [FB_COUNT] [FB_COUNT], weight w_mem [128*128]);
        }
    


template <int FF_COUNT, int FB_COUNT, int NEXT_COUNT>
    template <int id>
    void Core<FF_COUNT, FB_COUNT, NEXT_COUNT>::consume_fb_events (hls::stream<event> feedback_stream [FB_COUNT] [FB_COUNT], weight w_mem [128*128]){
    #pragma HLS INLINE off
    event e;   
            for(int i = 0 ; i < FB_COUNT ; i++) {
                while (!feedback_stream[id][i].empty()) {
                    feedback_stream[id][i].read(e);
                    ap_uint<16> mem_offset = e << size_exp;
                    consume_event (e, mem_offset, w_mem);    
            }
    }
    }

这是我的函数调用

    #define sth 8
for int i = 0 ; i < sth; i++
    core[i].consume_fb_events<i>(....);

我得到编译错误:

ERROR: [HLS 200-70] Compilation errors found: In file included from c1/srnn.cpp:1:
c1/srnn.cpp:197:14: error: no matching member function for call to 'consume_fb_events'
   core_1[i].consume_fb_events<i>(buffer_layer1_1, w1[i]);
   ~~~~~~~~~~^~~~~~~~~~~~~~~~~~~~
c1/core.h:52:24: note: candidate template ignored: invalid explicitly-specified argument for template parameter 'id'
 template<int id> void consume_fb_events (hls::stream<event> feedback_stream [FB_COUNT] [FB_COUNT], weight w_mem [128*128]);
                   ^
4

1 回答 1

4

您正在寻找的是编译时的 for 循环。因为模板参数必须是一个constexpr。我通常这样做,因为在 constexpr 函数中不能有 for 循环:

template<int i>
struct MyFunc
{
    MyFunc()
    {
        // do something with i
        core[i].consume_fb_events<i>(....);
    }
};

template<int end, template <int I> class func, int i = 0>
struct ForLoop
{
    ForLoop()
    {
        func<i>{};
        ForLoop<end, func, i+1>{};
    }
};

template<int end, template <int I> class func>
struct ForLoop<end, func, end>
{
    ForLoop()
    {
    }
};

您可以在MyFunc.

然后你可以像这样执行它:

ForLoop<8, MyFunc>{};

其中 8 是您通常会使用的数字,但在i < ...for 循环的一部分

你必须小心这个,因为这end最多只能工作大约 900(取决于最大模板递归深度)。否则你会得到一个编译时错误。

std::cout 的实时示例

编辑:


由于@SherifBadawy 在评论中询问,您不必声明结构/类MyFunc来执行此操作,但我采用了这种方法,因为它使ForLoop动态性更强,您可以多次重复使用它。

但是,如果您愿意,这也可以:

template<int i>
void foo()
{
    // code here
}

template<int end, int i = 0>
struct ForLoop
{
    ForLoop()
    {
        core[i].consume_fb_events<i>(....);
        // more code

        // or ...

        foo<i>();

        ForLoop<end, func, i+1>{};
    }
};

template<int end>
struct ForLoop<end, end>
{
    ForLoop()
    {
    }
};

要运行ForLoop,您将再次执行以下操作:

ForLoop<8>{}; // without passing a class or function
于 2021-10-22T09:32:51.407 回答