给我想要的输出是一个正方形输出(它们之间不需要任何空格):
1234
2345
3456
4567
给出相同的数字平方,但是每个数字都是一个字符串,我该如何实现一个二维矢量,该矢量将采用平方的每个字符将每个字符转换成int
,然后存储到行和列的2D向量中以形成完全相同的正方形?
我知道2D向量必须是
vector<vector<int>> square_vector;
但是我在获取所有成对的行和列时遇到了麻烦。
编辑: 如果我的广场是
1234
2345
3456
4567
我想先浏览第一行1234
。然后在该行中,我要遍历每个列字符1, 2, 3, 4
并将每个字符转换为int
。转换后,我想将push_back
作为行插入到2D向量中。在完成一行之后,我想转到下一行并执行相同的任务。
答案 0 :(得分:3)
但是我在获取所有成对的行和列时遇到了麻烦。
在使用std::vector
时,为什么不简单地使用range based for loop来完成这项工作。希望这些注释可以帮助您阅读代码。
#include <iostream>
#include <vector>
#include <string>
int main()
{
// vector of strings to be converted
std::vector<std::string> strVec{ "1234", "2345", "3456", "4567" };
// get the squre size
const std::size_t size = strVec[0].size();
// resulting 2D vector
std::vector<std::vector<int>> result; result.reserve(size);
for (const std::string& strInteger : strVec)
{
std::vector<int> rawVec; rawVec.reserve(size);
for (const char Char : strInteger)
// if (std::isdigit(Char)) //(optional check)
rawVec.emplace_back(static_cast<int>(Char - '0'));
// save the row to the 2D vector
result.emplace_back(rawVec);
}
// print them
for (const std::vector<int>& eachRaw : result)
{
for (const int Integer : eachRaw)
std::cout << Integer << " ";
std::cout << std::endl;
}
}
输出:
1 2 3 4
2 3 4 5
3 4 5 6
4 5 6 7
答案 1 :(得分:2)
#include <iostream>
#include <vector>
using namespace std;
int main() {
vector<vector<int>> square_vector;
int n,a;
// taking input the number of strings
cin>>n;
char s[100];
vector<int> i;
while(n--)
{
// take input string one by one
cin>>s;
a=0;
//push character by character of that string into vector
while(s[a]!='\0')
{
i.push_back(s[a]-'0');
a++;
}
// push that vector into 2D vector
square_vector.push_back(i);
i.clear();
}
int j;
//printing your 2D vector
for(a=0;a<square_vector.size();a++)
{
i=square_vector.at(a);
for(j=0;j<i.size();j++)
cout<<i.at(j);
cout<<"\n";
}
return 0;
}
虽然您应该自己尝试一下,但是我在这里为您做了。
答案 2 :(得分:1)
给出相同的数字平方,但是每个数字都是一个字符串
其中有些含糊。接受的答案将正方形视为
std::vector<std::string>
但它也可以解释为
std::vector<std::vector<std::string>>
此版本可同时处理以下两种情况:
#include <iostream>
#include <string>
#include <vector>
template<typename T>
int toint(const T& x) {
return std::stoi(x);
}
template<>
int toint(const char& x) {
return x-'0';
}
template<class T>
std::vector<int> line2intvec(const T& in) {
std::vector<int> result;
for(auto& e : in) {
result.push_back( toint(e) );
}
return result;
}
void print_vvi(const std::vector<std::vector<int>>& vvi) {
for(auto& l : vvi) {
for(auto& r : l) {
std::cout << " " << r;
}
std::cout << "\n";
}
}
int main() {
std::vector<std::string> vs = {
"1234",
"2345",
"3456",
"4567"
};
std::vector<std::vector<std::string>> vvs = {
{ "1", "2", "3", "4" },
{ "2", "3", "4", "5" },
{ "3", "4", "5", "6" },
{ "4", "5", "6", "7" }
};
std::vector<std::vector<int>> result1;
std::vector<std::vector<int>> result2;
for(auto& s : vs) {
result1.emplace_back( line2intvec(s) );
}
print_vvi(result1);
for(auto& v : vvs) {
result2.emplace_back( line2intvec(v) );
}
print_vvi(result2);
}