整数のベクトルを通常の整数に変換するための事前定義された関数を探していましたが、見つかりません。
vector<int> v;
v.Push_back(1);
v.Push_back(2);
v.Push_back(3);
これが必要です:
int i=123 //directly converted from vector to int
これを達成するための可能な方法はありますか?
この投稿でdeepmax
によって提供された回答 整数を数字の配列に変換する およびこの投稿で複数のユーザーによって提供された回答と併せて、次の関数を備えた完全なテストプログラムを次に示します。整数をベクトルに変換し、ベクトルを整数に変換する関数:
// VecToIntToVec.cpp
#include <iostream>
#include <vector>
// function prototypes
int vecToInt(const std::vector<int> &vec);
std::vector<int> intToVec(int num);
int main(void)
{
std::vector<int> vec = { 3, 4, 2, 5, 8, 6 };
int num = vecToInt(vec);
std::cout << "num = " << num << "\n\n";
vec = intToVec(num);
for (auto &element : vec)
{
std::cout << element << ", ";
}
return(0);
}
int vecToInt(std::vector<int> vec)
{
std::reverse(vec.begin(), vec.end());
int result = 0;
for (int i = 0; i < vec.size(); i++)
{
result += (pow(10, i) * vec[i]);
}
return(result);
}
std::vector<int> intToVec(int num)
{
std::vector<int> vec;
if (num <= 0) return vec;
while (num > 0)
{
vec.Push_back(num % 10);
num = num / 10;
}
std::reverse(vec.begin(), vec.end());
return(vec);
}
負の数の実用的な解決策も!
#include <iostream>
#include <vector>
using namespace std;
template <typename T> int sgn(T val) {
return (T(0) < val) - (val < T(0));
}
int vectorToInt(vector<int> v) {
int result = 0;
if(!v.size()) return result;
result = result * 10 + v[0];
for (size_t i = 1; i < v.size(); ++i) {
result = result * 10 + (v[i] * sgn(v[0]));
}
return result;
}
int main(void) {
vector<int> negative_value = {-1, 9, 9};
cout << vectorToInt(negative_value) << endl;
vector<int> zero = {0};
cout << vectorToInt(zero) << endl;
vector<int> positive_value = {1, 4, 5, 3};
cout << vectorToInt(positive_value) << endl;
return 0;
}
出力:
-199
0
1453
他の回答(19年5月現在)は、正の整数のみ(おそらく0も)を想定しているようです。私は負の入力を持っていたので、 数値の符号 も考慮に入れるようにコードを拡張しました。