面向对象的Python程序计算球体的体积和表面积



编写一个python程序,计算半径为r的球体、半径为r、高度为h的圆底圆柱体以及半径为r和高度为h、圆底圆锥体的体积和表面积。将它们放置到几何图形模块中。然后编写一个程序,提示用户输入r和h的值,调用这六个函数,并打印结果。

这是我的代码

from math import sqrt
from math import pi

# FUNCTIONS
def sphere_volume(radius):
    return 4/3 * pi * (radius ** 3)

def sphere_surface(radius):
    return 4 * pi * radius ** 2

def cylinder_volume(radius, height):
    return pi * radius ** 2

def cylinder_surface(radius, height):
    return pi * radius ** 2 * 2 * pi * radius * height

def cone_volume(radius, height):
    return 1/3 * pi * radius ** 2 * height

def cone_surface(radius, height):
    return pi * radius ** 2 + pi * radius * sqrt(height ** 2 + radius ** 2)

# main
def main():
    radius = input("Radius>")
    height = input("Height>")
    print("Sphere volume: %d" %(sphere_volume(radius)))
    print("Sphere surface: %d" %(sphere_surface(radius)))
    print("Cylinder volume: %d" %(cylinder_volume(radius, height)))
    print("Cylinder surface area: %d" %(cylinder_surface(radius, height)))
    print("Cone volume: %d" %(cone_volume(radius, height)))
    print("Cone surface: %d" %(cone_surface(radius, height)))

# PROGRAM RUN
if __name__ == "__main__":
    main()

我收到一个错误

 return 4/3 * pi * (radius ** 3)
TypeError: unsupported operand type(s) for ** or pow(): 'str' and 'int'

有人能帮我做错事吗?

像这样分析输入:

# main
def main():
    radius = float(input("Radius>"))
    height = float(input("Height>"))

它对我有效。

的错误消息是什么

unsupported operand type(s) for ** or pow(): 'str' and 'int'

意味着您的代码告诉**运算符要操作的内容,即radius和3,与**运算符不兼容。特别是将字符串(str)提升到幂没有多大意义,是吗?

这是因为input()返回一个字符串。

要对半径值进行数字运算,必须将字符串转换为数字。查看内置函数float(),请参阅https://docs.python.org/2/library/functions.html#float当你在那里的时候,看看其他一些内置函数。

最新更新