C语言中如何判断系统的存储方式是大端模式还是小端模式

这里写自定义目录标题


很多时候我们要去判断系统的存储方式是大端还是小端,这里提供一个靠联合体(Union)来判断系统存储方式的方法。

#include 
#include 
//定义一个函数,用于检查系统的存储是大段模式(Motorola)还是小端模式(Intel)
//函数返回值定义:0:大端模式(Big Endian);1:小端模式(Little Endian)
int checkSystemStorageMode()
{
    //union类型中的元素共享存储地址,
    //对union的访问,不论对哪个元素的读取,都是从union的首地址(即低地址)开始的
    //即ch的地址会和i的低地址重合
    union check
    {
        uint32_t i;
        char ch;
    }checkUseCase;
    //initialization
    checkUseCase.i = 0x1;
    //Big Endian:字数据的高字节存储在低地址中,而字数据的低字节则存放在高地址中
    //Little Endian:字数据的低字节存储在低地址中,而字数据的高字节则存放在高地址中
    //若是Little Endian,则0x01的值会存储在c.i的低地址中,该地址与c.ch的地址重合
    //若是Big Endian,则0x01的值会存储在c.i的高地址中,该地址与c.ch的地址不重合
    return((int)(checkUseCase.ch));
}

int main()
{
    //定义一个变量,用来表示系统数据存储方式;定义同时赋初值
    int SystemStorageMode = 0;
    SystemStorageMode = checkSystemStorageMode();
    switch (SystemStorageMode)
    {
    case 0x0:
        printf("The storage of your system is Big Endian!\n");
        break;
    case 0x1:
        printf("The storage of your system is little Endian!\n");
        break;
    default:
        break;
    }        
}

你可能感兴趣的:(C语言中如何判断系统的存储方式是大端模式还是小端模式)