以下是Picasa存储为哈希的详细信息。它像这样存储它们:
faces=rect64(54391dc9b6a76c2b),4cd643f64b715489
[DSC_2289.jpg]
faces=rect64(1680000a5c26c82),76bc8d8d518750bc
网上的信息说:
rect64()中包含的数字是64位十六进制数。
所以我把它变成RectangleF的代码工作得很好(只保留相对坐标):
public static RectangleF GetRectangle(string hashstr)
{
UInt64 hash = UInt64.Parse(hashstr, System.Globalization.NumberStyles.HexNumber);
byte[] bytes = BitConverter.GetBytes(hash);
UInt16 l16 = BitConverter.ToUInt16(bytes, 6);
UInt16 t16 = BitConverter.ToUInt16(bytes, 4);
UInt16 r16 = BitConverter.ToUInt16(bytes, 2);
UInt16 b16 = BitConverter.ToUInt16(bytes, 0);
float left = l16 / 65535.0F;
float top = t16 / 65535.0F;
float right = r16 / 65535.0F;
float bottom = b16 / 65535.0F;
return new RectangleF(left, top, right - left, bottom - top);
}
现在我有一个RectangleF,我想把它变回上面提到的哈希。我似乎无法弄清楚这一点。看起来picasa使用2个字节包括精度,但C#中的浮点数是8个字节,甚至BitConverter.ToSingle也是4个字节。
任何帮助表示感谢。
编辑:这就是我现在所拥有的 public static string HashFromRectangle(RectangleCoordinates rect)
{
Console.WriteLine("{0} {1} {2} {3}", rect.Left, rect.Top, rect.Right, rect.Bottom);
UInt16 left = Convert.ToUInt16((float)rect.Left * 65535.0F);
UInt16 top = Convert.ToUInt16((float)rect.Top * 65535.0F);
UInt16 right = Convert.ToUInt16((float)rect.Right * 65535.0F);
UInt16 bottom = Convert.ToUInt16((float)rect.Bottom * 65535.0F);
byte[] lb = BitConverter.GetBytes(left);
byte[] tb = BitConverter.GetBytes(top);
byte[] rb = BitConverter.GetBytes(right);
byte[] bb = BitConverter.GetBytes(bottom);
byte[] barray = new byte[8];
barray[0] = lb[0];
barray[1] = lb[1];
barray[2] = tb[0];
barray[3] = tb[1];
barray[4] = rb[0];
barray[5] = rb[1];
barray[6] = bb[0];
barray[7] = bb[1];
return BitConverter.ToString(barray).Replace("-", "").ToLower();
}
答案 0 :(得分:1)
您当前的代码正在交换每个坐标的字节。这是因为BitConverter以小端顺序为您提供字节(即数组中的第一个字节是最低有效字节)。如下所示交换您的分配会使解码和重新编码返回原始哈希值。
barray[0] = lb[1];
barray[1] = lb[0];
barray[2] = tb[1];
barray[3] = tb[0];
barray[4] = rb[1];
barray[5] = rb[0];
barray[6] = bb[1];
barray[7] = bb[0];
那就是说,我认为使用简单的乘法和加法进行转换更清楚。如果您将哈希字符串解读为单个ulong
并减去/除,则可以对哈希字符串的解码执行类似的操作。例如对于编码:
public static ushort ToUShort(double coordinate)
{
double ratio = Math.Max(0, Math.Min(Math.Round(coordinate * 65535), 65535));
return (ushort)ratio;
}
public static string HashFromRectangle(Rect rect)
{
ulong left = ToUShort(rect.Left);
ulong top = ToUShort(rect.Top);
ulong right = ToUShort(rect.Right);
ulong bottom = ToUShort(rect.Bottom);
ulong hash = (((left * 65536) + top) * 65536 + right) * 65536 + bottom;
return hash.ToString("x");
}
答案 1 :(得分:0)
看起来你需要从HashFromRectangle(rect)中取出float类型,如下所示:
UInt16 left = (UInt16)( rect.Left * 65535.0F);
UInt16 top =(UInt16) (rect.Top * 65535.0F);
UInt16 right = (UInt16) (rect.Right * 65535.0F);
UInt16 bottom = (UInt16) (rect.Bottom * 65535.0F);
此外,使用它来填充数组可能更具可读性:
Array.Copy(lb, 0, barray, 0, 2);
Array.Copy(tb, 0, barray, 2, 2);
Array.Copy(rb, 0, barray, 4, 2);
Array.Copy(bb, 0, barray, 6, 2);
让我知道这是否有效!
亚伦