首先,我需要编写一个程序来显示列表中行星的名称,这些行星的名称按其从太阳位置的降序排列。 然后,我应该编写一个程序,以按行星名称中元音的数量按升序显示行星列表中的行星名称。
我已经能够完成第一部分。但是,我不能讲第二部分。
Planets = [("Mercury", 75, 1), ("Venus", 460, 2), ("Mars", 140, 4),
("Earth", 510, 3), ("Jupiter", 62000, 5), ("Neptune", 7640, 8),
("Saturn", 42700, 6), ("Uranus", 8100, 7)]
def main():
Planets.sort(key=Sort_By_Position,reverse=True)
print("The names of the planets in descending order by their position from the Sun: ")
for i in Planets:
print (i[0])
print(" ")
print("Planets in ascending order by the number of vowels in planet name: ")
Planets.sort(key=vowel_count)
for i in Planets:
print(i[0])
def Sort_By_Position(Planets):
return Planets[-1]
def vowel_count():
main()
我希望程序可以通过行星名称中的元音数量来显示行星的升序。
答案 0 :(得分:0)
这是解决方法
Planets = [("Mercury", 75, 1), ("Venus", 460, 2), ("Mars", 140, 4), ("Earth", 510, 3), ("Jupiter", 62000, 5), ("Neptune", 7640, 8), ("Saturn", 42700, 6), ("Uranus", 8100, 7)]
# decending order in order
new_pl=Planets.copy()
new_pl.sort(key=lambda x:x[2], reverse=True) # sorting on position value
print(new_pl)
"""
output
[('Neptune', 7640, 8), ('Uranus', 8100, 7), ('Saturn', 42700, 6), ('Jupiter', 62000, 5), ('Mars', 140, 4), ('Earth', 510, 3), ('Venus', 460, 2), ('Mercury', 75, 1)]
"""
# in no of vowels present
vowel = ['a','e','i','o','u']
# in vowels
def count(name):
vowel = ['a','e','i','o','u']
val=0
for i in name.lower():
if i in vowel:
val+=1
return val
new_pl_2=Planets.copy()
new_pl_2.sort(key=lambda x:count(x[0])) #sorting on count of vowels
print(new_pl_2)
"""
output
[('Mars', 140, 4), ('Mercury', 75, 1), ('Venus', 460, 2), ('Earth', 510, 3), ('Saturn', 42700, 6), ('Jupiter', 62000, 5), ('Neptune', 7640, 8), ('Uranus', 8100, 7)]
"""
答案 1 :(得分:0)
您提到您能够完成第一部分,因此实际上您仅询问第二部分。以下示例应帮助您指出正确的方向:
>>> planets = ['Mercury','Venus','Earth','Mars','Neptune','Jupiter','Saturn','Uranus']
>>> vowels = ('a','e','i','o','u')
>>> name_counts = []
>>> for name in planets:
... count = sum([1 for letter in name if letter.lower() in vowels])
... name_counts.append((name,count))
...
>>> print(sorted(name_counts, key=lambda x: x[1]))
[('Mars', 1), ('Mercury', 2), ('Venus', 2), ('Earth', 2), ('Saturn', 2), ('Neptune', 3), ('Jupiter', 3), ('Uranus', 3)]
答案 2 :(得分:0)
您可以使用list comprehension在一行中完成此操作。
def vowel_count(elem):
return len([x for x in elem[0] if x in ('a', 'e', 'i', 'o', 'u')])
elem[0]
包含您要迭代的行星的名称。当您遍历字符串(x in elem[0]
)时,它将遍历该字符串中的每个字符。例如,'Earth'
变为['E', 'a', 'r', 't', 'h']
。
从那里,我们可以简单地过滤列表理解以仅包含元音(if x.lower() in ('a', 'e', 'i', 'o', 'u')
)并返回理解的长度,该长度将反馈给sort
方法。