3

例如,假设我想将值 (1,2)、(2,3)、(3,4) 等传递给一个函数并让它返回一个数字列表,无论它们是什么,即 1 , 3, 5, 3, 6 经过一些运算。在 C++ 中实现此结果的最佳方法是什么?从 python 迁移后,在这里做这件事似乎要困难得多,有什么帮助吗?

4

3 回答 3

3

通常,您会使用std::vector容器及其方法push_back。然后您可以返回向量(按值返回它,不要费心动态地分配它,因为您的编译器可能支持移动语义)。

std::vector<int> func(
    const std::tuple<int, int>& a, const std::tuple <int, int>& b)
{
     std::vector<int> ret;
     ret.push_back(...);
     ret.push_back(...);
     return ret;
}
于 2012-08-12T10:25:33.817 回答
2

我并不是说这是最好的方法,但我认为它非常好,同样从内存复制的角度来看,请注意我避免返回 a vector(昂贵,因为它operator=隐式调用):

#include <vector>

using namespace std;

/**
 * Meaningful example: takes a vector of tuples (pairs) values_in and returns in
 * values_out the second elements of the tuple whose first element is less than 5
 */
void less_than_5(const vector<pair<int, int> >& values_in, vector<int>& values_out) {
    // clean up the values_out
    values_out.clear();

    // do something with values_in
    for (vector<pair<int, int> >::iterator iter = values_in.begin(); iter != values_in.end(); ++iter) {
        if (iter->first < 5) {
            values_out.push_back(iter->second);
        }
    }

    // clean up the values_out (again just to be consistent :))
    values_out.clear();

    // do something with values_in (equivalent loop)
    for (int i = 0; i < values_in.size(); ++i) {           
        if (values_in[i].first < 5) {
            values_out.push_back(values_in[i].second);
        }
    }        

    // at this point values_out contains all second elements from values_in tuples whose 
    // first is less than 5
}
于 2012-08-12T10:28:08.057 回答
0
void function(const std::vector<std::pair<int,int>> &pairs, 
    std::vector<int> &output) {
  /* ... */
}
于 2012-08-12T10:26:03.083 回答