发布网友 发布时间:2022-04-23 02:20
共4个回答
热心网友 时间:2022-04-06 15:47
1:二分法
求根号5
a:折半: 5/2=2.5
b:平方校验: 2.5*2.5=6.25>5,并且得到当前上限2.5
c:再次向下折半:2.5/2=1.25
d:平方校验:1.25*1.25=1.5625<5,得到当前下限1.25
e:再次折半:2.5-(2.5-1.25)/2=1.875
f:平方校验:1.875*1.875=3.515625<5,得到当前下限1.875
每次得到当前值和5进行比较,并且记下下下限和上限,依次迭代,逐渐**方根:
代码如下:
import math
from math import sqrt
def sqrt_binary(num):
x=sqrt(num)
y=num/2.0
low=0.0
up=num*1.0
count=1
while abs(y-x)>0.00000001:
print count,y
count+=1
if (y*y>num):
up=y
y=low+(y-low)/2
else:
low=y
y=up-(up-y)/2
return y
print(sqrt_binary(5))
print(sqrt(5))
2:牛顿迭代
仔细思考一下就能发现,我们需要解决的问题可以简单化理解。
从函数意义上理解:我们是要求函数f(x) = x²,使f(x) = num的近似解,即x² - num = 0的近似解。
从几何意义上理解:我们是要求抛物线g(x) = x² - num与x轴交点(g(x) = 0)最接近的点。
我们假设g(x0)=0,即x0是正解,那么我们要做的就是让近似解x不断*近x0,这是函数导数的定义:
从几何图形上看,因为导数是切线,通过不断迭代,导数与x轴的交点会不断*近x0。
热心网友 时间:2022-04-06 17:05
Python求平方根至少有三种方式
1.最简单的方式是求0.5次方
4 ** 0.52.使用math包的sqrt函数
math.sqrt(4)3.使用numpy包的sqrt函数
numpy.sqrt(4)热心网友 时间:2022-04-06 18:40
while True:a=float(input('请输入实数:'))
def power(x):
return x*xprint(a,'^2=',power(a))
b=int(input('是否要继续计算,是,请输入1,否,请输入0:\n'))
if b==0:print('已退出计算器')
break
else:
continue
扩展资料:
使用Python完成,输入两个数,得到加减乘除余结果的功能,其中结果输出使用不同的格式。
1. 定义两个变量a,b,使用键盘输入的方式。python的2.x版本中键盘输入有两种方式可以实现:raw_input(),input(),在3.X版本中两者合并为一个,只支持input().
2. 输出结果:
(1) 输出string型的结果
[python] view plain copy print?
<code class="language-python">print("A+B = %s"%(a+b)) # output string</code>
print("A+B = %s"%(a+b)) # output string
(2) 输出int型的结果:默认格式,占位符格式,填充占位符格式,靠左格式
[python] view plain copy print?
<code class="language-python">print("A-B = %d"%(a-b)) # output int
print("A-B = %4d"%(a-b))
print("A-B = %04d"%(a-b))
print("A-B = %-4d"%(a-b)) </code>
print("A-B = %d"%(a-b)) # output intprint("A-B = %4d"%(a-b))print("A-B = %04d"%(a-b))print("A-B = %-4d"%(a-b))
结果:a=7,b=3
A-B = 4A-B = 4A-B = 0004A-B = 4
(3) 输出为浮点数类型:默认格式,*小数位数格式,占位符及*小数位数格式
print("A*B = %f"%(a*b)) # output floatprint("A/B = %.2f"%(a/b)) # output float of two decimal placesprint("A/B = %05.2f"%(a/b)) # output float of two decimal places
结果:a=7,b=3
A*B = 21.000000
A/B = 2.33
3. 全部实现,开发工具为pycharm
# calculatea = int(input("Please input number A:"))b = int(input("Please input number B:"))print("A+B = %s"%(a+b)) # output stringprint("A-B = %d"%(a-b)) # output intprint("A*B = %f"%(a*b)) # output floatprint("A/B = %.2f"%(a/b)) # output float of two decimal placesprint("A%B"+" = %06d"%(a%b)) # output int of 6 bit placeholder filled with 0print("A与B和是%s,差是%d,乘积是%02.2f,商是%-4.2f,余数是%03d"%(a+b,a-b,a*b,a/b,a%b))
参考资料:CSDN-Python常用操作
热心网友 时间:2022-04-06 20:31
可以使用1/2次方:
In [39]: 4**0.5也可以使用cmath模块:
In [35]: import cmath如果是对数组操作,则可以使用数组的numpy.sqrt()函数:
In [37]: a = np.arange(10)