python类和对象 1、 创建球类。属性包括球的半径和颜色,计算球体的面积和体积、 2、 设计一个Person(人)类,包括姓名,年龄,和血型属性,编写构造方法,用于初始化每个人的具体属性,编写detail方法用于输出每个实例具体值。 3、 设计一个Animal(动物)类,包括颜色属性和叫方法,再设计一个Fish类(鱼)类。包括尾巴和颜色两个属性,以及叫法。要求:Fish类继承自Animal类,重写构造方法和叫方法
时间: 2024-02-23 19:00:44 浏览: 76
1. 创建球类
```python
class Ball:
def __init__(self, radius, color):
self.radius = radius
self.color = color
def area(self):
return 4 * 3.14 * self.radius ** 2
def volume(self):
return (4 / 3) * 3.14 * self.radius ** 3
```
2. 设计一个Person类
```python
class Person:
def __init__(self, name, age, blood_type):
self.name = name
self.age = age
self.blood_type = blood_type
def detail(self):
print("Name:", self.name)
print("Age:", self.age)
print("Blood Type:", self.blood_type)
```
3. 设计一个Animal类和Fish类
```python
class Animal:
def __init__(self, color):
self.color = color
def make_sound(self):
print("The animal makes a sound.")
class Fish(Animal):
def __init__(self, tail, color):
super().__init__(color)
self.tail = tail
def make_sound(self):
print("The fish makes a sound.")
def detail(self):
print("Color:", self.color)
print("Tail:", self.tail)
```
以上三个类的使用示例:
```python
# 创建球对象
ball = Ball(5, "red")
print("Area:", ball.area())
print("Volume:", ball.volume())
# 创建人对象
person = Person("Alice", 30, "AB+")
person.detail()
# 创建鱼对象
fish = Fish("long", "blue")
fish.make_sound()
fish.detail()
```
阅读全文