I have this output:
[(3, 'one'), (2, 'was'), (2, 'two'), (1, 'too'), (1, 'racehorse'), (1, 'a')]
and i need to make it so that the tuples with the same number are placed in reverse alphabetical order inside the list. This is my code:
`def top5_words(text):
split_text = text.split()
tally = {}
for word in split_text:
if word in tally:
tally[word] += 1
else:
tally[word] = 1
vals = []
for key, val in tally.items():
vals.append((val, key))
reverse_vals = sorted(vals, reverse = True)
return reverse_vals`
the text i put in was: one one was a racehorse two two was one too
You can use list.sort
with the reverse argument:
>>> l = [(3, 'one'), (2, 'was'), (2, 'two'), (1, 'too'), (1, 'racehorse'), (1, 'a')]
>>> l.sort(key=lambda x: x[1], reverse=True)
>>> l.sort(key=lambda x: x[0])
>>> l
[(1, 'too'), (1, 'racehorse'), (1, 'a'), (2, 'was'), (2, 'two'), (3, 'one')]
Define the list:
>>> mylist = [(3, 'one'), (2, 'was'), (2, 'two'), (1, 'too'), (1, 'racehorse'), (1, 'a')]
Sort the list:
>>> sorted(mylist, key=lambda x: (-x[0], x[1]), reverse=True)
[(1, 'too'), (1, 'racehorse'), (1, 'a'), (2, 'was'), (2, 'two'), (3, 'one')]
Here you go:
from collections import Counter
from operator import itemgetter
def top5_words(text):
tally = Counter()
for word in text.split():
tally[word] += 1
vals = tally.items()
vals.sort(key=itemgetter(0))
vals.sort(key=itemgetter(1), reverse=True)
return vals
print top5_words("one one was a racehorse two two was one too")
# [('one', 3), ('two', 2), ('was', 2), ('a', 1), ('racehorse', 1), ('too', 1)]