我有一个SystemC模块,如下所示,我想将“映射”传递给构造函数。我该怎么做?
struct Detector: sc_module
{
map <int,int> int_map;
SC_CTOR(Detector)
{
for (int i = 0 ; i<10; i++)
{
int_map[i]= map[i][0];
}
}
};
例如,我想用4张不同的 map 实例化此模块4次。
最佳答案
从SystemC Language Reference Manual:
因此,我认为最好不要使用SC_CTOR
。我们公司的SystemC编码风格对此建议。
但是有一个条件:如果您使用进程宏(SC_METHOD
或SC_THREAD
),则还必须使用SC_HAS_PROCESS
。
这是您所追求的东西的完整示例:
#include <systemc>
#include <map>
#include <vector>
using namespace std;
using namespace sc_core;
struct Detector : public sc_module {
typedef map<int, vector<int> > input_map_t;
Detector(sc_module_name name, input_map_t& input_map)
: sc_module(name)
{
for (int i = 0; i < input_map.size(); i++) {
int_map[i] = input_map[i][0];
}
SC_METHOD(process);
}
void process() {}
map<int, int> int_map;
SC_HAS_PROCESS(Detector);
};
int sc_main(int argc, char *argv[]) {
Detector::input_map_t input_map;
for (int i = 0; i < 10; i++) {
input_map[i] = vector<int>();
input_map[i].push_back(i);
}
Detector d("d", input_map);
return EXIT_SUCCESS;
}
如果您将
SC_HAS_PROCESS
行注释掉,则会看到一串编译错误。