Skip to content

Instantly share code, notes, and snippets.

@sampsyo
Created June 7, 2016 17:47
Show Gist options
  • Star 5 You must be signed in to star a gist
  • Fork 0 You must be signed in to fork a gist
  • Save sampsyo/c1ed448618dadce682fdc5303ce432ec to your computer and use it in GitHub Desktop.
Save sampsyo/c1ed448618dadce682fdc5303ce432ec to your computer and use it in GitHub Desktop.
"""This is a Python transcription of the famous Quake III "fast inverse
square root" function. Run the script to see a quick comparison with an
"exact" square root.
"""
import struct
import math
# From:
# http://stackoverflow.com/a/14431225/39182
def float2bits(f):
"""Convert a float to an int with the same bits."""
s = struct.pack('>f', f)
return struct.unpack('>l', s)[0]
def bits2float(b):
"""Reinterpret the bits of an int as a float."""
s = struct.pack('>l', b)
return struct.unpack('>f', s)[0]
# Transcribed from the original C:
# https://en.wikipedia.org/wiki/Fast_inverse_square_root
def Q_rsqrt(number):
"""The fast inverse square root function."""
threehalfs = 1.5
x2 = number * 0.5
y = number
i = float2bits(y) # evil floating point bit level hacking
i = 0x5f3759df - (i >> 1) # what the fuck?
y = bits2float(i)
y = y * (threehalfs - (x2 * y * y)) # 1st iteration
# y = y * (threehalfs - (x2 * y * y)) # 2nd iteration, this can be removed
return y
def rsqrt(number):
"""A native "exact" x^{-1/2}."""
return 1 / math.sqrt(number)
def compare(number):
"""Get the absolute error of the fast inverse square root function
relative to an exact baseline.
"""
return abs(rsqrt(number) - Q_rsqrt(number))
if __name__ == '__main__':
print(500, compare(500.0))
print(0.001, compare(0.001))
Sign up for free to join this conversation on GitHub. Already have an account? Sign in to comment