将cv :: Mat向量复制到float向量的最佳方法是什么?

时间:2015-01-19 23:55:34

标签: c++ opencv vector

假设我们有一组cv::Mat个对象,所有对象类型CV_32F且大小相同:这些矩阵之前已插入vector<cv::Mat>

// input data
vector<cv::Mat> src;

我想将src向量中的所有元素复制到单个vector<float>对象中。换句话说,我想复制(到目标向量)float向量矩阵中包含的所有src元素。

// destination vector
vector<float> dst;

我目前正在使用以下源代码。

vector<cv::Mat>::const_iterator it;
for (it = src.begin(); it != src.end(); ++it)
{
    vector<float> temp;
    it->reshape(0,1).copyTo(temp);
    dst.insert(dst.end(), temp.begin(), temp.end());
}

为了提高副本的速度,我测试了下面的代码,但我只获得了5%的加速。为什么呢?

vector<cv::Mat>::const_iterator it;
for (it = src.begin(); it != src.end(); ++it)
{
    Mat temp = it->reshape(0,1);   // reshape the current matrix without copying the data
    dst.insert(dst.end(), (float*)temp.datastart, (float*)temp.dataend);
}

如何进一步提高复制速度?

1 个答案:

答案 0 :(得分:1)

您应该使用vector::reserve()来避免在插入时重复重新分配和复制。如果reshape()没有复制数据,则无需使用datastart - dataenddst.reserve(src.size() * src.at(0).total()); // throws if src.empty() for (vector<cv::Mat>::const_iterator it = src.begin(); it != src.end(); ++it) { dst.insert(dst.end(), (float*)src.datastart, (float*)src.dataend); } 必须保持不变。试试这个:

{{1}}