ORB-SLAM2 ---- LoadImages函数

1.函数背景

        当我们进入单目的主函数main(在mono_tum.cc)中时。

#include
#include
#include
#include

#include

#include

using namespace std;

void LoadImages(const string &strFile, vector &vstrImageFilenames,
                vector &vTimestamps);

int main(int argc, char **argv)
{
    if(argc != 4)
    {
        cerr << endl << "Usage: ./mono_tum path_to_vocabulary path_to_settings path_to_sequence" << endl;
        return 1;
    }

    // Retrieve paths to images
    vector vstrImageFilenames;
    vector vTimestamps;
    string strFile = string(argv[3])+"/rgb.txt";
    LoadImages(strFile, vstrImageFilenames, vTimestamps);

    int nImages = vstrImageFilenames.size();

    // Create SLAM system. It initializes all system threads and gets ready to process frames.
    ORB_SLAM2::System SLAM(argv[1],argv[2],ORB_SLAM2::System::MONOCULAR,true);

    // Vector for tracking time statistics
    vector vTimesTrack;
    vTimesTrack.resize(nImages);

    cout << endl << "-------" << endl;
    cout << "Start processing sequence ..." << endl;
    cout << "Images in the sequence: " << nImages << endl << endl;

    // Main loop
    cv::Mat im;
    for(int ni=0; ni >(t2 - t1).count();

        vTimesTrack[ni]=ttrack;

        // Wait to load the next frame
        double T=0;
        if(ni0)
            T = tframe-vTimestamps[ni-1];

        if(ttrack

        我们先判断是否传入指定参数个数(mono_tum path_to_vocabulary path_to_settings path_to_sequence)即主函数文件位置、词典位置、配置文件位置、数据集文件,随后我们建立了两个vector容器,分别记录文件名和时间戳(因为传进来的是一个很大的数据集,我们需要将每个图像的名称和时间戳单独放到两个容器中方便后文使用)。

vector vstrImageFilenames;
vector vTimestamps;

之后我们将传进来的rgb文件加上后缀。

string strFile = string(argv[3])+"/rgb.txt";

随后就进入了我们的函数LoadImages。

LoadImages(strFile, vstrImageFilenames, vTimestamps);

        我们观察我们传进来的第四个参数的文件,文件中的内容分别是时间戳和图片文件。ORB-SLAM2 ---- LoadImages函数_第1张图片

 

2.函数功能 

        导入图片的功能,将参数四的数据集文件(strfile)分离存储在图片文件的容器和存放时间戳容器中。

/**
 * @brief 导入图片
 * 
 * @param[in] strFile                   读入的文件名称
 * @param[in&out] vstrImageFilenames    彩色图片名称
 * @param[in&out] vTimestamps           记录时间戳
 */

3.函数代码 

void LoadImages(const string &strFile, vector &vstrImageFilenames, vector &vTimestamps)
{
    ifstream f;
    f.open(strFile.c_str());

    // skip first three lines
    // 前三行是注释,跳过
    string s0;
    getline(f,s0);
    getline(f,s0);
    getline(f,s0);

    while(!f.eof())
    {
        string s;
        getline(f,s);
        if(!s.empty())
        {
            stringstream ss;
            ss << s;
            double t;
            string sRGB;
            ss >> t;
            vTimestamps.push_back(t);
            ss >> sRGB;
            vstrImageFilenames.push_back(sRGB);
        }
    }
}

ORB-SLAM2 ---- LoadImages函数_第2张图片 

        首先打开文件,由于文件的前三行是注释等无效信息于是跳过。

        然后一直不断读取不同行的信息,直至读到终止标识符eof。用临时变量s存放读到的一行文本,如果读取成功,再用ss去接收s,新建double和string类型变量分别存储时间戳和图像文件,再将他们分别放到vTimestamps和vstrImageFilenames容器中实现分离存储。

你可能感兴趣的:(orb-slam2,计算机视觉,c++)