.NET Portable库缺少BitConverter.DoubleToInt64Bits,替换速度很慢

时间:2012-05-09 13:26:30

标签: c# performance bitconverter

我正在用C#开发一个可移植的类库,我希望将double转换为long。这个问题最直接的解决方案是使用BitConverter.DoubleToInt64Bits方法,但不幸的是,这个方法在.NET类库的Portable Library子集中不可用。

作为替代方案,我提出以下内容"双通"位转换:

var result = BitConverter.ToInt64(BitConverter.GetBytes(x), 0);

我的测试显示此表达式始终产生与DoubleToInt64Bits相同的结果。但是,我的基准测试还表明,在完整的.NET Framework应用程序中实现时,此替代公式比DoubleToInt64Bits大约 4 倍。

仅使用可移植库子集,是否可以实现比我上面的公式更快的DoubleToInt64Bits替换?

2 个答案:

答案 0 :(得分:5)

使用联盟怎么样?

[StructLayout(LayoutKind.Explicit)]
public struct DoubleLongUnion
{
    [FieldOffset(0)]
    public double Double;

    [FieldOffset(0)]
    public long Long;
}

public static long DoubleToInt64Bits(double value)
{
    var union = new DoubleLongUnion {Double = value};
    return union.Long;
}

答案 1 :(得分:3)

如果您能够将程序集标记为unsafe,那么您可以将DoubleToInt64Bits实现提升到自己的库中:

public static unsafe long DoubleToInt64Bits(double value)
{
    return *(((long*) &value));
}