Мне нужно распечатать все пары чисел из каждой строки, считанные из текстового документа.Пример текстового документа будет выглядеть следующим образом:
6 8
1 3 5
2 3 4
3 6 5
7 6 8
4 6
7 5
Где первая строка - это число сетей (6) и количество ячеек (8) для гиперграфа.Остальные строки - это ячейки в сети.Таким образом, сеть 1 состоит из ячеек 1, 3 и 5, сеть 2 состоит из ячеек 2, 3 и 4 и так далее.Чтобы превратить этот список соединений в реальный график, мне нужно пройти каждую строку и в основном взять все комбинации чисел в каждой строке.Поэтому после прочтения в первой сети я хотел бы иметь возможность составить график с (1,3), (1,5) и (3,5), а затем спуститься вниз по списку сетей и добавить в график.Пока я могу читать все из текстового файла и распечатывать отдельные ячейки, которые я помещаю в двумерный массив.Вот мой код для этого:
int main() {
ifstream infileHGR; // set stream for hypergraph text file
string inputFileName = "structP.hgr"; // input hypergraph filename here
infileHGR.open(inputFileName, ios::in);
clock_t start = clock(); // start clock
string line;
string data[2]; // initialize data array to take in # of nets and # of cells
int nets = 0;
int cells = 0;
// Reads in the first line of the text file to get # for nets and cells
getline(infileHGR, line);
stringstream ssin(line);
int i = 0;
while (ssin.good() && i < 2) { // error checking to make sure first line is correct format
ssin >> data[i];
i++;
}
nets = atoi(data[0].c_str()); // set first number to number of nets
cells = atoi(data[1].c_str()); // set second number to number of cells
freopen("output.txt", "w", stdout); // writes outptut to text file
// TESTING PURPOSES
cout << "Number of nets = " << nets << endl;
cout << "Number of cells = " << cells << endl;
// while loop to go through rest of the hgr file to make hypergraph (starts at line 2)
string str;
int count = 1; // counter for nets
while (infileHGR.good()) {
getline(infileHGR, str);
stringstream in(str);
int i = 0;
// have the line in str
int n = 1; // start at 1, spaces + 1 = number of nodes per net
for (int i = 0; i < str.length(); ++i) {
if (str.at(i) == ' ') {
n++; // n is number of cells in the net
}
}
// testing
//cout << "str = " << str << endl;
//cout << "n = " << n << endl;
int number;
vector<vector<int> > netList;
vector<int> temp;
while (in >> number){
temp.push_back(number);
}
netList.push_back(temp);
//printNetList(temp); // test to see if info is being put into the vectors
// loop through the 2d vector
for (const auto& inner : netList) {
cout << "net " << count << " = "; //TESTING PURPOSES
for (const auto& item : inner) {
cout << item << " ";
}
count = count + 1;
}
cout << endl;
}
clock_t stop = clock(); // end clock
infileHGR.close();
double elapsed = (double)(stop - start) * 1000.0 / CLOCKS_PER_SEC;
printf("Time elapsed in ms: %f", elapsed);
system("pause"); //for original testing
return 0;
}
Я использовал векторы, потому что каждый входной файл будет иметь разный размер, а некоторые содержат много сетей, а некоторые сети имеют до20 ячеек в них.Мне нужна помощь в получении всех пар (координат) из списка соединений и распечатке их, чтобы показать их все.Я много возился с циклами for, но не могу найти что-то, что работает.Любая помощь будет принята с благодарностью, и просто спросите, нужно ли мне включить что-нибудь еще.Спасибо!