Byte和int转换(大端小端问题)

工作上遇到一个大端小端问题,需要加深记忆,自己写了一个

百度一下,

大端模式,是指数据的高字节保存在内存的低地址中,而数据的低字节保存在内存的高地址中,这样的存储模式有点儿类似于把数据当作字符串顺序处理:地址由小向大增加,数据从高位往低位放;这和我们的阅读习惯一致。

小端模式,是指数据的高字节保存在内存的高地址中,而数据的低字节保存在内存的低地址中,这种存储模式将地址的高低和数据位权有效地结合起来,高地址部分权值高,低地址部分权值低。

例如值为1的时候,byte[] 形式如下

小端的表现形式为 16进制 0x01 0x00 0x00 0x00 

大端的表现形式为 16进制 0x00 0x00 0x00 0x01

256的话

小端的表现形式为 0x00 0x01 0x00 0x00

大端的表现形式为 0x00 0x00 0x01 0x00

很明显,小端的话,在byte[]表现出来的是从左到右。大端的话是从右到左的。

所以代码如下

using com.flashzero.math;
using System.Collections;
using System.Collections.Generic;
using UnityEngine;
namespace com.flashzero.convert
{
    public enum BytesEndian
    {
        /// 
        /// 大端
        /// 
        Big = 1,
        /// 
        /// 小端
        /// 
        Little = -1
    }
    public class FZConvert
    {
        /// 
        /// 
        /// 
        /// 
        /// 
        /// 
        /// 
        public static byte[] Int2Bytes(int num, int bytelen, BytesEndian be)
        {
            byte[] b = new byte[bytelen];
            int bit = 8;
            for (int i = 0; i < bytelen; i++)
            {
                int offset = (be == BytesEndian.Little ? i : bytelen - 1 - i) * bit;
                b[i] = (byte)(num >> offset & 0xff);
            }
            return b;
        }

        /// 
        /// 
        /// 
        /// 
        /// 
        /// 
        public static int Byte2Int(byte[] b, BytesEndian be)
        {
            int res = 0;
            int bit = 8;
            int blen = b.Length;
            for (int i = 0; i < blen; i++)
            {
                int offset = (be == BytesEndian.Big ? (blen - i - 1) : i) * bit;
                res |= (b[i] & 0xff) << offset;
            }
            return res;
        }
    }

}


你可能感兴趣的:(C#,c#,1024程序员节)