这只是为了满足我的好奇心。
是否有此实现?
float InvSqrt (float x)
{
float xhalf = 0.5f*x;
int i = *(int*)&x;
i = 0x5f3759df - (i>>1);
x = *(float*)&i;
x = x*(1.5f - xhalf*x*x);
return x;
}
在Rust中?如果存在,则发布代码。
我尝试过但失败了。我不知道如何使用整数格式编码浮点数。这是我的尝试:
fn main() {
println!("Hello, world!");
println!("sqrt1: {}, ",sqrt2(100f64));
}
fn sqrt1(x: f64) -> f64 {
x.sqrt()
}
fn sqrt2(x: f64) -> f64 {
let mut x = x;
let xhalf = 0.5*x;
let mut i = x as i64;
println!("sqrt1: {}, ", i);
i = 0x5f375a86 as i64 - (i>>1);
x = i as f64;
x = x*(1.5f64 - xhalf*x*x);
1.0/x
}
参考:
1. Origin of Quake3's Fast InvSqrt() - Page 1
2. Understanding Quake’s Fast Inverse Square Root
3. FAST INVERSE SQUARE ROOT.pdf
4. source code: q_math.c#L552-L572
答案 0 :(得分:86)
我不知道如何使用整数格式对浮点数进行编码。
有一个用于该函数的函数:f32::to_bits
返回一个u32
。还有一个用于另一个方向的函数:f32::from_bits
,它以u32
作为参数。这些功能优于mem::transmute
,因为后者unsafe
且使用起来很麻烦。
因此,这是InvSqrt
的实现:
fn inv_sqrt(x: f32) -> f32 {
let i = x.to_bits();
let i = 0x5f3759df - (i >> 1);
let y = f32::from_bits(i);
y * (1.5 - 0.5 * x * y * y)
}
此函数在x86-64上编译为以下程序集:
.LCPI0_0:
.long 3204448256 ; f32 -0.5
.LCPI0_1:
.long 1069547520 ; f32 1.5
example::inv_sqrt:
movd eax, xmm0
shr eax ; i << 1
mov ecx, 1597463007 ; 0x5f3759df
sub ecx, eax ; 0x5f3759df - ...
movd xmm1, ecx
mulss xmm0, dword ptr [rip + .LCPI0_0] ; x *= 0.5
mulss xmm0, xmm1 ; x *= y
mulss xmm0, xmm1 ; x *= y
addss xmm0, dword ptr [rip + .LCPI0_1] ; x += 1.5
mulss xmm0, xmm1 ; x *= y
ret
我没有找到任何参考程序集(如果有的话,请告诉我!),但是对我来说似乎还不错。我只是不确定为什么将浮点数移到eax
只是为了进行移位和整数减法。也许SSE寄存器不支持这些操作?
-O3
的clang 9.0将C代码编译为basically the same assembly。这是一个好兆头。
值得指出的是,如果您实际上想在实践中使用它:请不要。正如benrg pointed out in the comments一样,现代的x86 CPU为此功能提供了专门的指令,该指令比该技巧更快,更准确。不幸的是,1.0 / x.sqrt()
does not seem to optimize to that instruction。因此,如果您确实需要速度,可以使用the _mm_rsqrt_ps
intrinsics。但是,这确实需要unsafe
代码。在这个答案中,我将不做详细介绍,因为少数程序员实际上会需要它。
答案 1 :(得分:36)
这是在Rust中用鲜为人知的union
实现的:
union FI {
f: f32,
i: i32,
}
fn inv_sqrt(x: f32) -> f32 {
let mut u = FI { f: x };
unsafe {
u.i = 0x5f3759df - (u.i >> 1);
u.f * (1.5 - 0.5 * x * u.f * u.f)
}
}
在x86-64 Linux机器上使用criterion
板条箱进行了一些微型基准测试。令人惊讶的是,Rust自己的sqrt().recip()
是最快的。但是,当然,任何微基准测试结果都应一粒盐。
inv sqrt with transmute time: [1.6605 ns 1.6638 ns 1.6679 ns]
inv sqrt with union time: [1.6543 ns 1.6583 ns 1.6633 ns]
inv sqrt with to and from bits
time: [1.7659 ns 1.7677 ns 1.7697 ns]
inv sqrt with powf time: [7.1037 ns 7.1125 ns 7.1223 ns]
inv sqrt with sqrt then recip
time: [1.5466 ns 1.5488 ns 1.5513 ns]
答案 2 :(得分:10)
您可以使用std::mem::transmute
进行所需的转换:
fn inv_sqrt(x: f32) -> f32 {
let xhalf = 0.5f32 * x;
let mut i: i32 = unsafe { std::mem::transmute(x) };
i = 0x5f3759df - (i >> 1);
let mut res: f32 = unsafe { std::mem::transmute(i) };
res = res * (1.5f32 - xhalf * res * res);
res
}
您可以在此处查看实时示例:here