python 小白案例演练

一、递归案例–计算数字累加

# 计算 1+2+3+...+num 的结果
def sum_numbers(num):

    # 出口
    if num == 1:
        return 1

    #假设 sum_numbers 能够正确的处理 1...num-1
    temp = sum_numbers(num-1)
    return num + temp

result = sum_numbers(5)
print(result)

二、类属性、实例属性、类方法、静态方法、实例方法

class Game(object):

    # 类属性
    top_score = 0

    def __init__(self, payer_name):
        # 实例属性
        self.play_name = payer_name

    # 静态方法
    @staticmethod
    def show_help():
        print("帮助信息")

    # 类方法
    @classmethod
    def shoe_top_score(cls):
        print("历史记录 %d" % cls.top_score)

    # 实例方法
    def start_game(self):
        print("%s 开始游戏" % self.play_name)

Game.show_help()
Game.shoe_top_score()
game = Game("小明")
game.start_game()

你可能感兴趣的:(python)