使用不同的参数集实现单个类

时间:2017-10-21 20:34:59

标签: c++ class parsing sstream

我正在为项目开发数据解析器。我必须解析一个可能包含两种不同类型对象的文件:

1型: sb0 hardrectilinear 4(0,0)(0,82)(199,82)(199,0)

Type-1必须存储为类块,具有以下属性:BlockID,BlockType,number_of_edges,lowerleft,lowerright,upperleft,upperright。

2型: sb1 softrectangular 24045 0.300 3.000

Type-2也必须存储为类块,具有以下属性:BlockID,BlockType,area,min_aspectRatio,max_aspectRatio。

是否可以构建一个名为“block”的类,根据属性“BlockType”使用不同的参数集?我已经构建了一个解析器,但是我使用sstream为每个BlockType使用了两个不同的类。

当要解析的文本文件仅包含type-2时,我已经展示了解析器的实现。关于我如何使用单个班级做到这一点的任何想法?

SoftBlock.h:

#ifndef SOFTBLOCKLIST_H_
#define SOFTBLOCKLIST_H_
#include <string>
#include <vector>
#include "SoftBlock.h"
#include <fstream>


class SoftBlockList {
public:
    SoftBlockList(std::string input_file);

    std::vector<SoftBlock> get_softblocklist();

private:
    std::vector<SoftBlock> softblocklist;

};

#endif /* SOFTBLOCKLIST_H_ */

SoftBlock.cpp:

#include "SoftBlockList.h"
using namespace std;

SoftBlockList::SoftBlockList(string input_file) {
    ifstream filehandle;
    filehandle.open(input_file.c_str());
    string temp;
    while(filehandle.good()){
        getline(filehandle, temp);
        SoftBlock block(temp);
        softblocklist.push_back(block);
    }
    filehandle.close();
}

vector<SoftBlock> SoftBlockList::get_softblocklist(){return 
softblocklist;}

1 个答案:

答案 0 :(得分:0)

一种简单的方法是使用联合。联盟一次只能拥有1个活跃成员,并且只占用与最大成员相等的大小。

#include <iostream>
using namespace std;

class Block {
    public:
    struct Type1 {
        int number_of_edges;
        float lowerleft, lowerright, upperleft, upperright;
    };
    struct Type2 {
        double area;
        float min_aspectRatio, max_aspectRatio;
    };

    union combinedData {
        Type1 t1;
        Type2 t2;
    };

    int BlockID;
    int BlockType;

    combinedData data;
};

int main() {
    Block block;
    block.BlockType = 1;
    block.data.t1.number_of_edges = 1; // Type1 is now active
    cout << block.data.t1.number_of_edges << endl;
    block.BlockType = 2;
    block.data.t2.area = 1.5678; // Switched to Type2 being the active member
    cout << block.data.t2.area << endl;
}

然后,您可以使用BlockType的值来确定哪个成员处于活动状态。