Python代码实现,定义接口或类 Shape,定义求周长的方法length()。 定义如下类,实现接口Shape或父类Shape的方法。 (1)三角形类Triangle (2)长方形类Rectangle (3)圆形类Circle等。 定义测试类ShapeTest,用Shape接口(或类)定义变量shape,用其指向不同类形的对象,输出各种图形的周长。并为其他的Shape接口实现类提供良好的扩展性。 提示: 计算圆周长时PI取3.14。 输入格式: 输入多组数值型数据(double); 一行中若有1个数,表示圆的半径; 一行中若有2个数(中间用空格间隔),表示长方形的长度、宽度。 一行中若有3个数(中间用空格间隔),表示三角形的三边的长度。(需要判断三个边长是否能构成三角形) 若输入数据中有0或负数,则不表示任何图形,周长为0。 输出格式: 行数与输入相对应,数值为根据每行输入数据求得的图形的周长。
时间: 2024-03-24 14:36:20 浏览: 50
在Python中定义和使用抽象类的方法
5星 · 资源好评率100%
以下是实现该题目的 Python 代码:
```python
import math
class Shape:
def length(self):
pass
class Triangle(Shape):
def __init__(self, a, b, c):
self.a = a
self.b = b
self.c = c
def length(self):
if self.a + self.b <= self.c or self.a + self.c <= self.b or self.b + self.c <= self.a:
return 0
else:
return self.a + self.b + self.c
class Rectangle(Shape):
def __init__(self, length, width):
self.length = length
self.width = width
def length(self):
return 2 * (self.length + self.width)
class Circle(Shape):
def __init__(self, radius):
self.radius = radius
def length(self):
return 2 * 3.14 * self.radius
class ShapeTest:
def test(self, shape):
print(shape.length())
test = ShapeTest()
while True:
try:
line = input().split()
if len(line) == 1:
radius = float(line[0])
if radius <= 0:
print(0)
else:
shape = Circle(radius)
test.test(shape)
elif len(line) == 2:
length = float(line[0])
width = float(line[1])
if length <= 0 or width <= 0:
print(0)
else:
shape = Rectangle(length, width)
test.test(shape)
elif len(line) == 3:
a = float(line[0])
b = float(line[1])
c = float(line[2])
if a <= 0 or b <= 0 or c <= 0:
print(0)
else:
shape = Triangle(a, b, c)
test.test(shape)
else:
print(0)
except:
break
```
这段代码首先定义了一个 Shape 接口,并在 Triangle、Rectangle 和 Circle 类中实现了 Shape 接口的 length() 方法。在 ShapeTest 类中,我们通过 Shape 接口来定义 shape 变量,并用它分别指向不同的图形对象。最后,我们通过该类的 test() 方法来输出不同图形的周长。
在 while 循环中,我们根据输入的参数来创建不同的图形对象。如果输入的参数有 0 或负数,则不创建任何图形,直接输出周长为 0。
阅读全文