我一直在尝试从定点数据类型计算平方根<24,8>
。
不幸的是,似乎没有任何效果。
有谁知道如何在 C(++) 中快速高效地做到这一点?
问问题
1557 次
1 回答
3
这是python中的一个原型,展示了如何使用牛顿法在定点上求平方根。
import math
def sqrt(n, shift=8):
"""
Return the square root of n as a fixed point number. It uses a
second order Newton-Raphson convergence. This doubles the number
of significant figures on each iteration.
Shift is the number of bits in the fractional part of the fixed
point number.
"""
# Initial guess - could do better than this
x = 1 << shift // 32 bit type
n_one = n << shift // 64 bit type
while 1:
x_old = x
x = (x + n_one // x) // 2
if x == x_old:
break
return x
def main():
a = 4.567
print "Should be", math.sqrt(a)
fp_a = int(a * 256)
print "With fixed point", sqrt(fp_a)/256.
if __name__ == "__main__":
main()
将其转换为 C++ 时,请务必注意类型 - 特别是n_one
需要为 64 位类型,否则它将<<8
在位步骤中溢出。另请注意,这//
是 python 中的整数除法。
于 2013-06-03T07:13:28.643 回答