嘿我想写一个像XNA Color结构或SurfaceFormat.Bgra4444结构的结构,它在8位字节中保存2个半字节。
这就是我到目前为止......
/// <summary>
/// Packed byte containing two 4bit values
/// </summary>
public struct Nibble2 : IEquatable<Nibble2>
{
private byte packedValue;
public byte X
{
get { return 0; }
set { }
}
public byte Y
{
get { return 0; }
set { }
}
/// <summary>
/// Creates an instance of this object.
/// </summary>
/// <param name="x">Initial value for the x component.</param>
/// <param name="y">Initial value for the y component.</param>
public Nibble2(float x, float y)
{
packedValue = 0;
}
/// <summary>
/// Creates an instance of this object.
/// </summary>
/// <param name="vector">Input value for both components.</param>
public Nibble2(Vector2 vector)
{
packedValue = 0;
}
public static bool operator ==(Nibble2 a, Nibble2 b) { return a.packedValue == b.packedValue; }
public static bool operator !=(Nibble2 a, Nibble2 b) { return a.packedValue != b.packedValue; }
public override string ToString()
{ return packedValue.ToString("X : " + X + " Y : " + Y, CultureInfo.InvariantCulture); }
public override int GetHashCode()
{return packedValue;}
public override bool Equals(object obj)
{
if (obj is Nibble2)
return Equals((Nibble2)obj);
return false;
}
public bool Equals(Nibble2 other)
{return packedValue == other.packedValue;}
}
正如你所看到的,我的属性和构造函数并没有得到启发。因为这是我遇到麻烦的部分。
感谢您提供的任何帮助。
答案 0 :(得分:4)
基本上,你只需要记住什么是高和低半字节。只需用二进制1111(十进制15)屏蔽即可获得低半字节。通过右移4,可以获得高半字节(因为byte
是无符号的)。其余的只是位数学。
// assume x is the low nibble
public byte X
{
get { return (byte)(packedValue & 15); }
set { packedValue = (packedValue & 240) | (value & 15); }
}
// assume y is the high nibble
public byte Y
{
get { return (byte) (packedValue >> 4); }
set { packedValue = (value << 4) | (packedValue & 15); }
}
但是,我不能帮助你:
public Nibble2(float x, float y)
{
packedValue = 0;
}
因为它是64位,并且您希望将其设置为8.您需要对很多更具体地了解您要对这些值执行的操作。
答案 1 :(得分:1)
考虑以下字节值:
10101100
要读取字节的高位,应将字节向右移位:
10101100 (original)
01010110 (shifted one bit)
00101011
00010101
00001010 (shifted four bits)
您可以使用return (byte)(packedValue >> 4);
要读取低位,只需使用AND opertation消除顶部位:
10101100
00001111 AND
--------
00001100
您可以使用return (byte)(packedValue & 0xf);
设置这些值可以通过清除目标半字节然后简单地添加输入值(如果设置高半字节则向左移动)来执行:
packedValue = (byte)((packedValue & 0xf0) + (lowNibble & 0xf));
packedValue = (byte)((packedValue & 0xf) + (highNibble << 4));
答案 2 :(得分:1)
如果你和输入值的字节填充像这个00001111
那样是十五分之一。保留要保存的部分。然后你必须左移Nibble2的左边部分,用4个字节存储在packedValue字节中。
private byte x = 0;
private byte y = 0;
public byte X
{
get { return x; }
set { x = value}
}
public byte Y
{
get { return y; }
set { y = value }
}
private byte packedValue
{
get { return (x & 15 << 4) | (y & 15); }
}