输入一个整数,判断其是水仙花数还是四叶玫瑰数,或者都不是。对每个输入,输出一行。如果是水仙花数就输出narcissistic;如果是四叶玫瑰数,就输出rose,如果都不是,就输出neither
时间: 2024-10-10 17:14:51 浏览: 37
任意位数的水仙花数.py
5星 · 资源好评率100%
首先,我们需要了解什么是水仙花数和四叶玫瑰数。水仙花数是指一个三位数,其各位数字立方之和等于该数本身。例如,153是个水仙花数,因为1^3 + 5^3 + 3^3 = 153。
四叶玫瑰数则是指一个四位数,它的千位、百位、十位和个位上数字分别满足以下条件:千位等于各位加百位的两倍减去十位(如1=100+2*2-0),百位等于各位加千位的两倍减去十位,十位等于各位加百位和千位的两倍减去个位。比如,1189就是四叶玫瑰数,因为1=1+100+2*2-9,8=1+1+2*(1+1)-9,9=1+1+2*(1+1)+1。
以下是Python代码来实现这个功能:
```python
def check_number(n):
# 检查是否为水仙花数
if len(str(n)) != 3 or n < 100 or n > 999:
return "neither"
digits = [int(digit) for digit in str(n)]
sum_of_cubes = sum(digit**3 for digit in digits)
if sum_of_cubes == n:
return "narcissistic"
# 检查是否为四叶玫瑰数
if len(str(n)) != 4 or n < 1000 or n > 9999:
return "neither"
thousands, hundreds, tens, ones = map(int, str(n))
conditions = [
thousands == (ones + hundreds * 2 - tens),
hundreds == (ones + thousands * 2 - tens),
tens == (ones + hundreds + thousands * 2 - ones),
]
if all(conditions):
return "rose"
check = int(input("请输入一个整数: "))
result = check_number(check)
print(f"{check} 是 {',' if result != 'neither' else ''}{result}")
```
每次输入一个整数,程序会检查它是否是水仙花数或四叶玫瑰数,并给出相应的输出。
阅读全文