I have the following list:
JavaScript
x
12
12
1
filenames=["SecretOfChimneys_1925.txt",
2
"DeathInTheClouds_1935.txt",
3
"SparklingCyanide_1945.txt",
4
"HickoryDickoryDock_1955.txt",
5
"AtBertramsHotel_1965.txt",
6
"Curtain_1975.txt"]
7
books=[]
8
for filename in filenames:
9
with open(filename) as fin:
10
text=fin.read()
11
books.append(text)
12
I need to make a list of book titles ordered by year, with the underscore character and the year removed. For example, the first book title should be “SecretOfChimneys”. Call your list booktitles.
Is there a way to use the fact that titles are already sorted by year in books and just select the tiles from that?
Or should I use a sorting algorithm with filename?
Any help would be appreciated, thank you!
Advertisement
Answer
You can use a lambda as the key when sorting. Then use a list comprehension to extract just the title from the sorted list.
JavaScript
1
4
1
booktitles = [f.split('_')[0] for f in
2
sorted(filenames, key=lambda x: int(x.split('_')[1].split('.')[0]))
3
]
4