C ++ / SystemC:从C ++中的数组返回特定​​范围的值

时间:2015-02-09 08:49:41

标签: c++ arrays systemc

这是我正在尝试的。我已将结构传递给函数。在函数中,我将结构的值存储在一个数组中。返回时,我只想根据特定条件发送数组中定义的值。例如,假设我的数组定义为10,我想在函数中根据条件从该数组中仅返回5个值。以下是示例代码:

sc_uint<8> *arrayfill(struct){
sc_uint<8> array[10];

 array[1] = struct.a;
 array[2] = struct.b;
 ...
 if (struct.trigger == false){
  array[10] =0;
 }
 else 
 {
   array[10] = struct.j;
 }

return array;
}

1 个答案:

答案 0 :(得分:0)

因为您无法从函数返回自动存储阵列,所以我建议您返回std::vector<sc_uint<8>>。它基本上只是将sc_uint<8>值包装在一个易于使用和移动的动态数组中。

然后根据您的条件简单push_back您想要返回vector的值。


例如:

std::vector<sc_uint<8>> arrayfill(struct){
    std::vecotr<sc_uint<8>> array;
    array.reserve(10); // Reserves space for 10 elements.

    array.push_back(struct.a); // This will be the first element in array, at index 0.
    array.push_back(struct.b); // This will be the second element at index 1.
    ...
    if (struct.trigger == false){
      array.push_back(0);
    }
    else 
    {
      array.push_back(struct.j);
    }
    // At this point, array will have as many elements as push_back has been called.
    return array;
}

使用std::vector::insert添加一系列值:

array.insert(array.end(), &values[3], &values[6]);

values是某个数组。以上内容将values中的索引3到索引5的值(独占范围,索引6处的值不会插入)插入到array的末尾。