九、类8-习题2-end(2022-04-25)

9-5.为9-3编写的user类添加一个名为login_attempts的属性,编写一个名为increment_login_attempts()的方法,将属性login_attempts的值加1.

编写一个reset_login_attempts()方法, 将login_attmepts重置为0.

class User2:
    def __init__(self, frist_name, last_name, age, login_attempts, **kwargs):
        self.frist_name = frist_name
        self.last_name = last_name
        self.age = age
        self.login_attempts = login_attempts
        self.dict = {}
        for k, v in kwargs.items():
            setattr(self, k, v)  # setattr(x,y,z)的作用是,将x的属性y赋值z (x.y = z),即 self.k = v 初始化属性并赋值。
            self.dict[k] = v
        # print(self.dict)

    def full_name(self):
        full_name = f"{self.last_name} {self.frist_name}".title()
        return full_name

    def describe_user(self):
        print(f"The user-{self.full_name()} is {self.age} years old.")
        print(f"{self.full_name()}'s other information:"
              f"\n\t{self.dict}")

    def greet_user(self):
        print(f"Hello , {self.full_name()} !")

    def increament_login_attemps(self, increament_attemps):
        self.login_attempts += increament_attemps

    def reset_login_attemps(self):
        self.login_attempts = 0
        print(f"The numbr of login attempts reset to {self.login_attempts}.")


user_wang = User2('xihe','wang',7,0)
user_wang.describe_user()
user_wang.increament_login_attemps(4)
print(f"The user's login attemps number is {user_wang.login_attempts} .")
user_wang.reset_login_attemps()

The user-Wang Xihe is 7 years old.
Wang Xihe's other information:
{}
The user's login attemps number is 4 .
The numbr of login attempts reset to 0.

9-6 编写一个名为IceCreamStandRestaurant的类,继承9-1或9-4编写的restaurant类,添加一个flavors属性,用于存储一个由各种冰淇凌组成的列表。

编写一个显示这些列表的方法,创建一个类的实例,并调用这个方法。

class IceCreamStandResraurant(Restaurant):
    def __init__(self,restaurant_name,cuisine_type,flavors):  #初始化属性时,可以直接增加属性。本例增加了flavors属性
        super().__init__(restaurant_name,cuisine_type) #注意:初始化父类的属性时,不可传入self属性,否则报错:传入参数与父类需要参数不一致。
        self.flavors = flavors #注意新增加的属性要用self.的形式进行初始化。

    def icecream_flavors(self):
        print("We serve icecream with the followding flavors:")
        for flavor in self.flavors:
            print(f"{flavor}\t",end='')


my_icecreamstand = IceCreamStandResraurant('bing dian','icecream',['strawberry','cheese','chocolate','vanilla','cream'])
my_icecreamstand.icecream_flavors()
print('')

We serve icecream with the followding flavors:
strawberry cheese chocolate vanilla cream
The user's name is Wang Yukai .
He/She is 9 years old.
Wang Yukai's other information:
{}
The admin Wang Yukai have following previleges:
Can add post Can del post Can ban user

9-8 创建一个privileges类,它只有一个属性privileges,其中存储admin的权限。将9-7的方法show_previleges移到这个类中。

在admin类中,将一个previleges实例作为其属性。创建一个admin实例,实现show_previleges()功能——显示admin的权限。

class Admin2(User):
    def __init__(self,frist_name,last_name,age,**kwargs):
        super(Admin2, self).__init__(frist_name,last_name,age,**kwargs)
        self.previleges = Previleges()


class Previleges:
    def __init__(self,previleges=['Can add post','Can del post','Can ban user']):
        self.previleges = previleges

    def show_previleges(self):
        previleges = self.previleges
        print("The admin have the following previleges :")
        for previlege in previleges:
            print(f"\t{previlege}")


admin_zhang = Admin2('xuesen','zhang',34)
admin_zhang.describe_user()
admin_zhang.previleges.show_previleges()

The user's name is Zhang Xuesen .
He/She is 34 years old.
Zhang Xuesen's other information:
{}
The admin have the following previleges :
Can add post
Can del post
Can ban user

9-9 Motor的子类为ElectricMotor,Battery类被用为ElectricMotor的属性。

给Battery类添加一个名为upgrade_battery()的方法。该方法检查电瓶,如果不是100就升级为100。

创建一个电动摩托的实例,调用get_range(),升级电瓶后,再次调用get_range(),确认是否升级成功。

class Motor:  ##首先要输入父类的代码,必须位于子类之前
    def __init__(self, make, model, year):
        self.make = make
        self.model = model
        self.year = year
        self.odometer_reading = 0

    def get_descriptive_name(self):
        long_name = f"{self.year} {self.make} {self.model}"
        return long_name.title()

    def read_odometer(self):
        print(f"This boat has {self.odometer_reading} on it.")

    def update_odometer(self, miles):  ##使用方法修改里程
        if miles >= self.odometer_reading:  ##如果传入的里程大于原里程
            self.odometer_reading = miles  ##对里程进行修改
        else:  # 否则打印警告信息“不准回调里程表”
            print("You can't roll the odometer back.")

    def increment_odometer(self, miles):
        if miles >= 0:
            self.odometer_reading += miles
        else:
            print("You can't roll the odometer back.")


class ElectricMotor(Motor):
    def __init__(self, make, model, year):
        super().__init__(make, model, year)
        self.battery = Battery()


class Battery:
    def __init__(self, battery_size=90, motor_model='electric'):
        self.battery_size = battery_size
        self.motor_model = motor_model

    def describe_battery(self):
        print(f"The Motor has a {self.battery_size}-kwh battery.")

    def get_range(self):
        """打印一条消息,指出点评的续航里程"""
        if self.battery_size > 0 and self.motor_model == 'electric':
            range = self.battery_size * 0.75
            print(f"This motor can go about {range} miles on a full charge.")
        if self.battery_size == 0 and self.motor_model != 'electric':
            range = int(input("plesas input the tank capacity:  ")) * 10
            print(f"This motor can go about {range} miles on a full tank.")

    def upgrade_battery(self):
        if self.battery_size !=100:
            self.battery_size = 100


my_electric_motor = ElectricMotor('yadi','M8',2019)
print(f"My electric motor is {my_electric_motor.get_descriptive_name()}.")
my_electric_motor.battery.get_range()
my_electric_motor.battery.upgrade_battery()
my_electric_motor.battery.get_range()

My electric motor is 2019 Yadi M8.
This motor can go about 67.5 miles on a full charge.
This motor can go about 75.0 miles on a full charge.

©著作权归作者所有,转载或内容合作请联系作者
  • 序言:七十年代末,一起剥皮案震惊了整个滨河市,随后出现的几起案子,更是在滨河造成了极大的恐慌,老刑警刘岩,带你破解...
    沈念sama阅读 207,248评论 6 481
  • 序言:滨河连续发生了三起死亡事件,死亡现场离奇诡异,居然都是意外死亡,警方通过查阅死者的电脑和手机,发现死者居然都...
    沈念sama阅读 88,681评论 2 381
  • 文/潘晓璐 我一进店门,熙熙楼的掌柜王于贵愁眉苦脸地迎上来,“玉大人,你说我怎么就摊上这事。” “怎么了?”我有些...
    开封第一讲书人阅读 153,443评论 0 344
  • 文/不坏的土叔 我叫张陵,是天一观的道长。 经常有香客问我,道长,这世上最难降的妖魔是什么? 我笑而不...
    开封第一讲书人阅读 55,475评论 1 279
  • 正文 为了忘掉前任,我火速办了婚礼,结果婚礼上,老公的妹妹穿的比我还像新娘。我一直安慰自己,他们只是感情好,可当我...
    茶点故事阅读 64,458评论 5 374
  • 文/花漫 我一把揭开白布。 她就那样静静地躺着,像睡着了一般。 火红的嫁衣衬着肌肤如雪。 梳的纹丝不乱的头发上,一...
    开封第一讲书人阅读 49,185评论 1 284
  • 那天,我揣着相机与录音,去河边找鬼。 笑死,一个胖子当着我的面吹牛,可吹牛的内容都是我干的。 我是一名探鬼主播,决...
    沈念sama阅读 38,451评论 3 401
  • 文/苍兰香墨 我猛地睁开眼,长吁一口气:“原来是场噩梦啊……” “哼!你这毒妇竟也来了?” 一声冷哼从身侧响起,我...
    开封第一讲书人阅读 37,112评论 0 261
  • 序言:老挝万荣一对情侣失踪,失踪者是张志新(化名)和其女友刘颖,没想到半个月后,有当地人在树林里发现了一具尸体,经...
    沈念sama阅读 43,609评论 1 300
  • 正文 独居荒郊野岭守林人离奇死亡,尸身上长有42处带血的脓包…… 初始之章·张勋 以下内容为张勋视角 年9月15日...
    茶点故事阅读 36,083评论 2 325
  • 正文 我和宋清朗相恋三年,在试婚纱的时候发现自己被绿了。 大学时的朋友给我发了我未婚夫和他白月光在一起吃饭的照片。...
    茶点故事阅读 38,163评论 1 334
  • 序言:一个原本活蹦乱跳的男人离奇死亡,死状恐怖,灵堂内的尸体忽然破棺而出,到底是诈尸还是另有隐情,我是刑警宁泽,带...
    沈念sama阅读 33,803评论 4 323
  • 正文 年R本政府宣布,位于F岛的核电站,受9级特大地震影响,放射性物质发生泄漏。R本人自食恶果不足惜,却给世界环境...
    茶点故事阅读 39,357评论 3 307
  • 文/蒙蒙 一、第九天 我趴在偏房一处隐蔽的房顶上张望。 院中可真热闹,春花似锦、人声如沸。这庄子的主人今日做“春日...
    开封第一讲书人阅读 30,357评论 0 19
  • 文/苍兰香墨 我抬头看了看天上的太阳。三九已至,却和暖如春,着一层夹袄步出监牢的瞬间,已是汗流浃背。 一阵脚步声响...
    开封第一讲书人阅读 31,590评论 1 261
  • 我被黑心中介骗来泰国打工, 没想到刚下飞机就差点儿被人妖公主榨干…… 1. 我叫王不留,地道东北人。 一个月前我还...
    沈念sama阅读 45,636评论 2 355
  • 正文 我出身青楼,却偏偏与公主长得像,于是被迫代替她去往敌国和亲。 传闻我的和亲对象是个残疾皇子,可洞房花烛夜当晚...
    茶点故事阅读 42,925评论 2 344

推荐阅读更多精彩内容