1453544851 发表于 2024-12-31 10:45:25

课后作业

for n in range(100,1000):
    temp=n
    a=temp%100
    b=(temp-(100*a))/10
    c=temp%10
    if temp==pow(a,3)+pow(b,3)+pow(c,3):
      print("n")
      

万能的鱼友 请问这个代码哪里有问题

很cool的阳 发表于 2024-12-31 10:52:11

for n in range(100, 1000):
    temp = n
    a = temp % 10# 个位
    b = (temp // 10) % 10# 十位
    c = temp % 100 // 10# 百位
    if temp == pow(a, 3) + pow(b, 3) + pow(c, 3):
      print(n)

FishC 发表于 2024-12-31 10:57:27

这段代码的目的是寻找100到999之间的阿姆斯特朗数(每个数字的立方和等于该数本身)。你在计算三位数中的百位和十位数字时有些错误。请看如下修正后的代码:

for n in range(100, 1000):
    temp = n
    a = temp // 100      # 计算百位
    b = (temp // 10) % 10# 计算十位
    c = temp % 10      # 计算个位
    if temp == pow(a, 3) + pow(b, 3) + pow(c, 3):
      print(n)# 打印当前的阿姆斯特朗数

在代码中主要改动了计算`a`和`b`的方法,同时在`print(n)`时去掉了引号,以便正确打印数字。

解释:
- `a = temp // 100`:获取百位数字。
- `b = (temp // 10) % 10`:去掉个位后,再获取十位数字。
- `c = temp % 10`:获取个位数字。

以上回复来自 FishC AI 小助理,如未能正确解答您的问题,请继续追问。

jackz007 发表于 2024-12-31 16:48:19

for n in range(100 , 1000) :
    a = n // 100            # a - 百位数
    b = (n % 100) // 10   # b - 十位数
    c = n % 10            # c - 个位数
    if n == pow(a , 3) + pow(b , 3) + pow(c , 3):
      print(n)

ouyunfu 发表于 2025-1-2 09:31:51

在你的基础上进行了更正,如下:
for n in range(100,1000):
    temp=n
    a=temp//100 #百位
    b=(temp-(100*a))//10 #十位
    c=temp%10 #个位
    if temp==pow(a,3)+pow(b,3)+pow(c,3):
      print(n)

player-none 发表于 2025-3-6 21:48:27

for n in range(100,1000):
    a, b, c = map(int, str(n))
    if n==pow(a,3)+pow(b,3)+pow(c,3):
      print(n)
页: [1]
查看完整版本: 课后作业