python之输出时间,养兔子,水仙花数

画龙画虎难画骨,知人知面不知心。

0x01 输出时间

① 题目

暂停一秒输出,并格式化当前时间。

② 题解

import time
for i in range(4):
    print(time.strftime('%Y-%m-%d %H:%M:%S',time.localtime(time.time())))
    time.sleep(1)

③ 结果

2020-05-13 17:08:22
2020-05-13 17:08:23
2020-05-13 17:08:24
2020-05-13 17:08:25

Process finished with exit code 0

0x02 养兔子

① 题目

有一对兔子,从出生后第3个月起每个月都生一对兔子,小兔子长到第三个
月后每个月又生一对兔子,假如兔子都不死,问每个月的兔子总数为多少?

② 题解

程序分析 考虑到三个月成熟,可以构建四个数据,其中:一月兔
每个月长大成为二月兔,二月兔变三月兔,三月兔变成年兔,成年兔
(包括新成熟的三月兔)生等量的一月兔。

month = int(input('繁殖几个月:'))

month_1 = 1
month_2 = 0
month_3 = 0
month_elder = 0

for i in range(month):
    month_1,month_2,month_3,month_elder = month_3+month_elder,month_1,month_2,month_3+month_elder

    print("\n第%d个月共"%(i+1),month_1+month_2+month_3+month_elder,"个兔子。")
    print("其中1月兔:",month_1)
    print("其中2月兔:",month_2)
    print("其中3月兔:",month_3)
    print("其中成年兔:",month_elder)

③ 结果

繁殖几个月:51个月共 1 个兔子。
其中1月兔: 0
其中2月兔: 1
其中3月兔: 0
其中成年兔: 02个月共 1 个兔子。
其中1月兔: 0
其中2月兔: 0
其中3月兔: 1
其中成年兔: 03个月共 2 个兔子。
其中1月兔: 1
其中2月兔: 0
其中3月兔: 0
其中成年兔: 14个月共 3 个兔子。
其中1月兔: 1
其中2月兔: 1
其中3月兔: 0
其中成年兔: 15个月共 4 个兔子。
其中1月兔: 1
其中2月兔: 1
其中3月兔: 1
其中成年兔: 1

0x03 水仙花数

① 题目

打印出所有的"水仙花数",所谓"水仙花数"是指一个三位数,
其各位数字立方和等于该数本身。例如:153是一个"水仙花数",
因为153=1的三次方+5的三次方+3的三次方。

② 题解

利用 str() 函数将数字转换为字符串,然后使用索引分解出每一个位数

for i in range(100,1000):
        s = str(i) #将数字转换为字符串
        one = int(s[-1])
        ten = int(s[-2])
        hun = int(s[-3])
        if i == one**3 + ten**3 + hun**3:
            print(i)

③ 结果

153
370
371
407

Process finished with exit code 0
                                                                                                                               猪头
                                                                                                                            2020.5.13

你可能感兴趣的:(Python,基础训练)