将矩阵加载到二维向量 C++
Loading a Matrix into a 2D vector C++
我不熟悉在 C++ 中使用向量,我的目标是从文本文件中读取矩阵并将它们存储到二维向量中,我的代码如下:
#include <fstream>
#include <iostream>
#include <sstream>
#include <string>
#include <vector>
int main()
{
std::ifstream in("input.txt");
std::vector<std::vector<int> > v;
if (in) {
std::string line;
while (std::getline(in, line)) {
v.push_back(std::vector<int>());
// Break down the row into column values
std::stringstream split(line);
int value;
while (split >> value)
v.back().push_back(value);
}
}
for (int i = 0; i < v.size(); i++) {
for (int j = 0; j < v[i].size(); j++)
std::cout << v[i][j] << ' ';
std::cout << '\n';
}
}
现在输入
10101010
01010101
10101011
01011010
我得到
的输出
10101010
1010101
10101011
1011010
即每次在行首遇到 0 时都会将其省略。我认为问题出在 while(split>>value) 语句中,但我不知道如何以更好的方式对其进行编码。
替换
while (split >> value)
v.back().push_back(value);
和
for(int x=0; x<line.size(); x++){
v.back().push_back((int)line[x] - (int)'0'));
}
并完全删除您的字符串流。
看起来好像您真的想存储位,但不知何故难以将包含 10101010
的行解析为一系列位。
如果您知道每行的最大位数,则可以使用 bitset<N>
,它为运算符 >>
提供了一个易于使用的重载,可以直接读取 10101010
之类的内容。希望对你有帮助。
int main()
{
std::ifstream in("input.txt");
std::vector<std::bitset<8> >v;
if (in) {
std::bitset<8> bits;
while (in >> bits) {
v.push_back(bits);
}
}
for (int i = 0; i < v.size(); i++) {
for (int j = 0; j < v[i].size(); j++)
std::cout << v[i][j] << ' ';
std::cout << '\n';
}
}
我不熟悉在 C++ 中使用向量,我的目标是从文本文件中读取矩阵并将它们存储到二维向量中,我的代码如下:
#include <fstream>
#include <iostream>
#include <sstream>
#include <string>
#include <vector>
int main()
{
std::ifstream in("input.txt");
std::vector<std::vector<int> > v;
if (in) {
std::string line;
while (std::getline(in, line)) {
v.push_back(std::vector<int>());
// Break down the row into column values
std::stringstream split(line);
int value;
while (split >> value)
v.back().push_back(value);
}
}
for (int i = 0; i < v.size(); i++) {
for (int j = 0; j < v[i].size(); j++)
std::cout << v[i][j] << ' ';
std::cout << '\n';
}
}
现在输入
10101010
01010101
10101011
01011010
我得到
的输出10101010
1010101
10101011
1011010
即每次在行首遇到 0 时都会将其省略。我认为问题出在 while(split>>value) 语句中,但我不知道如何以更好的方式对其进行编码。
替换
while (split >> value)
v.back().push_back(value);
和
for(int x=0; x<line.size(); x++){
v.back().push_back((int)line[x] - (int)'0'));
}
并完全删除您的字符串流。
看起来好像您真的想存储位,但不知何故难以将包含 10101010
的行解析为一系列位。
如果您知道每行的最大位数,则可以使用 bitset<N>
,它为运算符 >>
提供了一个易于使用的重载,可以直接读取 10101010
之类的内容。希望对你有帮助。
int main()
{
std::ifstream in("input.txt");
std::vector<std::bitset<8> >v;
if (in) {
std::bitset<8> bits;
while (in >> bits) {
v.push_back(bits);
}
}
for (int i = 0; i < v.size(); i++) {
for (int j = 0; j < v[i].size(); j++)
std::cout << v[i][j] << ' ';
std::cout << '\n';
}
}