将char *分成几个变量

时间:2016-11-21 22:44:53

标签: c++ c arrays

我有一些char数组:char char[8],其中包含两个int,前4个索引是第一个int,接下来的4个索引是第二个int。

char array[8] = {0,0,0,1,0,0,0,1};
int a = array[0-3]; // =1;  
int b = array[4-8]; // =1;

如何将此数组转换为两个int?

可以有任何其他类型,不一定是int,但这只是一些例子:

我知道我可以将这个数组复制到两个大小为4的char数组中,然后将每个数组转换为int。但我认为这并不好,并打破了干净代码的原则。

3 个答案:

答案 0 :(得分:6)

如果您的数据具有正确的字节顺序,则可以使用grails create-app testApp 从字节缓冲区中提取可滑动类型:

memcpy

虽然@Vivek是正确的,int8_t array[8] = {0,0,0,1,0,0,0,1}; int32_t a, b; memcpy(&a, array + 0, sizeof a); memcpy(&b, array + 4, sizeof b); 可用于规范化字节序,但您必须这样做才能做到第二步。不要使用指针游戏,因为它违反strict aliasing并导致未定义的行为(实际上,对齐异常或优化器将大部分代码丢弃为无法访问)。

ntohl

请注意,几乎所有优化编译器都足够智能,当他们看到int8_t array[8] = {0,0,0,1,0,0,0,1}; int32_t tmp; memcpy(&tmp, array + 0, sizeof tmp); int a = ntohl(tmp); memcpy(&tmp, array + 4, sizeof tmp); int b = ntohl(tmp); 带有一个小的常量计数参数时,就不会调用函数。

答案 1 :(得分:1)

让我们使用一些C ++算法,例如std::accumulate

#include <numeric>
#include <iostream>

int getTotal(const char* value, int start, int end)     
{
    return std::accumulate(value + start, value + end, 0, 
                           [](int n, char ch){ return n * 10 + (ch-'0');});
}

int main()
{
    char value[8] = {'1','2','3','4','0','0','1','4'};
    int total1 = getTotal(value, 0, 4);
    int total2 = getTotal(value, 4, 8);
    std::cout << total1 << " " << total2;
}

注意std::accumulate和lambda函数的用法。我们所做的只是一个运行总计,将每个小计乘以10.通过简单地减去'0',将字符转换为数字。

Live Example

答案 2 :(得分:-1)

您可以将数组中的字节输入到int *。然后解除引用将导致4个字节被读取为int。然后执行ntohl,将确保int中的字节按主机顺序排列。

char array[8] = {0,0,0,1,0,0,0,1};

int a = *((int *)array);  
int b = *((int *)&array[4]);

a = ntohl(a);  
b = ntohl(b);

这将在小端和大端系统上将a和b设置为1。

如果编译器设置为严格别名,则可以使用memcpy来实现相同的目的,如下所示:

char array[8] = {0,0,0,1,0,0,0,1};
int a, b;

memcpy(&a, array, sizeof(int));
memcpy(&b, array+4, sizeof(int));

a = ntohl(a);  
b = ntohl(b);