I want to write something like 2d strings in C++. I tried with :
vector< vector<string> > table;
int m,n,i,j;
string s;
cin>>n>>m;
for(i=0;i<n;i++) {
for(j=0;j<m;j++) {
cin>>s;
table[i][j] = s;
}
}
cout << "\n\n\n\n";
for(i=0;i<n;i++) {
for(j=0;j<m;j++) {
cout<<table[i][j]<<" ";
}
cout<<"\n";
}
no compile errors, but when i enter input like:
10 20
.....#..............
.....#..............
.....#..............
.....#..............
######..............
.......###..........
.......#.#..........
.......###...#######
.............#.....#
.............#######
It gives me segmentation fault. Why ? What's wrong ? And how it should be done so it would work correctly ? Thank you.
The question seems to imply that the data structure needed is a set of n
lines with m
characters each. There are two ways to think of this -- as an nxm
char matrix, or as n
m
-character vectors (and a string is similar but not identical to vector<char>
).
So it seems you don't want a vector
of vector
s of string
s, you want either a vector
of vector
s of char
s, or just a vector
of string
s.
In any event, you have to allocate the appropriate amount of space before using table[i][j] or (slightly more idiomatic c++, but not necessary in this case since m
and n
are known beforehand) use something like push_back
to add to the end.
Note also that the cin>>s
reads an entire line from stdin
(which makes the vector<string>
solution a bit easier to deal with, I think).
When inserting something new into a vector
, you can't just allocate by index - you need to use the push_back
method or something similar.
for(i=0;i<n;i++) {
vector<string> row;
for(j=0;j<m;j++) {
cin>>s;
row.push_back(s);
}
table.push_back(row);
}
If you love us? You can donate to us via Paypal or buy me a coffee so we can maintain and grow! Thank you!
Donate Us With