0

你知道如何用流中的单词填充数组吗?这是我现在所能做到的:

ifstream db;
db.open("db") //1stline: one|two|three, 2d line: four|five|six....
int n=0,m=0;
char a[3][20];
char c[20];
while(db.get(ch)) {
    if(ch=='|') {
        a[0][m]=*c;
        m++;
    }
    else {
        c[n]=ch;
        n++;
    }
}

所以它看起来像 {{one,two,three},{four,five,six},{seven,eight,nine},...}

4

2 回答 2

0

要保存“单词”(字符串)的 2 维数组,需要 3 维字符数组,因为字符串是 1 维字符数组。

您的代码应如下所示:

int i = 0; // current position in the 2-dimensional matrix
           // (if it were transformed into a 1-dimensional matrix)
int o = 0; // character position in the string

int nMax = 20; // rows of your matrix
int mMax = 3;  // columns of your matrix
int oMax = 20; // maximum string length

char a[nMax][mMax][oMax] = {0}; // Matrix holding strings, zero fill to initialize

char delimiter = '|';

while (db.get(ch)) {  // Assumes this line fills ch with the next character from the stream
    if (ch == delimiter) {
        i++; // increment matrix element
        o = 0; // restart the string position
    }
    else {
        o++; // increment string position
        a[i / mMax][i % mMax][o] = ch;
    }
}

对于输入流"one|two|three|four|five|six|seven",这将返回一个字符串数组,如下所示:

{{"one", "two", "three"}, {"four", "five", "six"}, {"seven"}}

于 2012-10-21T19:32:33.467 回答
0

您可以使用 c++ 对象,例如vectorstring。C 中的二维数组对应于 C++ 中的向量向量。二维数组中的项目是字符串,因此语法vector<vector<string>>如下。

#include <vector>
#include <string>
#include <sstream>
using std::vector;
using std::string;
using std::istringstream;
vector<vector<string> > a;
string line;
while (getline(db, line, '\n'))
{
    istringstream parser(line);
    vector<string> list;
    string item;
    while (getline(parser, item, '|'))
        list.push_back(item);
    a.push_back(list);
}

此代码(未经测试;对可能的语法错误表示抱歉)使用“字符串流”来解析输入行;它不假设每行 3 个项目。修改以适应您的确切需求。

于 2012-10-21T19:51:00.637 回答