我是C ++的新手。有谁知道如何将typedef short转换为vector(char)?将decompress转换为vector(char)。
opusencoder encodedatag;
opus_int16 *decompress = encodedatag.encodedata(...);
答案 0 :(得分:0)
我认为您有一个short
,并且您希望将其表示为char
中vector<char>
的序列。
如果是这种情况,这是我的建议,通过一个简单的测试:)
#include <iostream>
#include <vector>
#include <algorithm>
using opus_int16 = short;
std::vector<char> toVector(opus_int16 arg)
{
std::vector<char> converted;
opus_int16 remainder(0);
bool isNegative((arg < 0) ? true : false);
if (isNegative)
arg = -arg;
while (arg != 0)
{
remainder = arg % 10;
arg /= 10;
converted.push_back(remainder + 48);
}
if (isNegative)
converted.push_back('-');
std::reverse(converted.begin(), converted.end());
return converted;
}
int main(int argc, char **argv)
{
opus_int16 example = -156;
std::vector<char> test(toVector(example));
for (auto i : test)
std::cout << i;
std::cin.get();
return 0;
}
答案 1 :(得分:0)
假设接收到的短路位于主机的endianess中并且short实际上是16位(uint16_t会更好)并且chars预计是short的大端表示,可以将short转换为char像这样:
std::pair<uint8_t, uint8_t> convert_uint16_to_uint8s(uint16_t in)
{
std::pair<uint8_t, uint8_t> out;
out.first = in >> 8;
out.second = in & 0xff;
return out;
}
如果你知道解压缩指向的数组的长度,你可以迭代数组并转换每个short和push_back每个char。
std::vector<uint8_t> output;
for (int i = 0; i < decompress_length; ++i)
{
std::pair<uint8_t, uint8_t> chars = convert_uint16_to_uint8s(decompress[i];
output.push_back(chars.first);
output.push_back(chars.second);
}
(代码为例,未编译或测试)