Use

a = sorted(a, key=lambda x: x.modified, reverse=True)
#             ^^^^

On Python 2.x, the sorted function takes its arguments in this order:

sorted(iterable, cmp=None, key=None, reverse=False)

so without the key=, the function you pass in will be considered a cmp function which takes 2 arguments.

Answer from kennytm on Stack Overflow
🌐
Python documentation
docs.python.org β€Ί 3 β€Ί howto β€Ί sorting.html
Sorting Techniques β€” Python 3.14.4 documentation
February 23, 2026 - >>> student_tuples = [ ... ('john', 'A', 15), ... ('jane', 'B', 12), ... ('dave', 'B', 10), ... ] >>> sorted(student_tuples, key=lambda student: student[2]) # sort by age [('dave', 'B', 10), ('jane', 'B', 12), ('john', 'A', 15)] The same technique works for objects with named attributes.
🌐
freeCodeCamp
freecodecamp.org β€Ί news β€Ί lambda-sort-list-in-python
Lambda Sorted in Python – How to Lambda Sort a List
March 16, 2023 - This lambda function runs through each of the numbers and gets their last digits. If you want, you can even pass in a function directly as the key: num_list = [22, 34, 11, 35, 89, 37, 93, 56, 108] print('Original Number:', num_list) # Original ...
🌐
Reddit
reddit.com β€Ί r/learnpython β€Ί sorting with key=lambda
r/learnpython on Reddit: sorting with key=lambda
March 14, 2023 -
pairs= [(1,'one'),(2,'two'),(3,'three'),(4,"four"),(5,"five")]
pairs.sort(key=lambda pair: pair[1])

>>> pairs
[(5, 'five'), (4, 'four'), (1, 'one'), (3, 'three'), (2, 'two')]

why is it sorted like that I didn't understand? Why can't I write a number greater than 1 in pair[1]?

🌐
GeeksforGeeks
geeksforgeeks.org β€Ί python β€Ί python-program-to-sort-the-list-according-to-the-column-using-lambda
Python Program to Sort the list according to the column using lambda - GeeksforGeeks
July 12, 2025 - To sort a list of lists or tuples by the first column (index 0), we can use the sorted() function with a lambda function as the sorting key. ... a = [(3, 'fun!'), (1, 'Python'), (2, 'is')] # Sort by first column (index 0) sorted_data = sorted(a, ...
🌐
Bacancy Technology
bacancytechnology.com β€Ί qanda β€Ί python β€Ί use-lambda-for-sorting-in-python
How to Use Lambda for Sorting in Python: A Quick Guide
In Python, you can use the sorted() function or .sort() method to sort iterables. A lambda function is often used as a key to define custom sorting logic, making it easier to sort data based on specific criteria.
🌐
Reddit
reddit.com β€Ί r/learnpython β€Ί how does key argument in sorted() works with lambda function
r/learnpython on Reddit: how does key argument in sorted() works with lambda function
January 14, 2023 -

i was practicing a question where you have to sort an array by frequency of its elements and if the frequency is same then sort the elements themselves in reverse.

This was the fastest solution someone did:

def frequencySort(self, nums: List[int]) -> List[int]:
    num_freq = {}
    for num in nums:
        if num not in num_freq:
            num_freq[num] = 1
        else:
            num_freq[num] += 1
    nums.sort(key=lambda x: (num_freq[x], -x))
    return nums
#example 1
#input:  [2,3,1,3,2]
#output: [1,3,3,2,2]
#'2' and '3' both have a frequency of 2, so they are sorted in decreasing order.

#example 2
#input:  [-1,1,-6,4,5,-6,1,4,1]
#output: [5,-1,4,4,-6,-6,1,1,1]

I know how keys and lambda functions work but in this case i cant seem to figure out how its working. I tried using google and official docs but all the examples are basic.

Find elsewhere
🌐
Medium
johngrant.medium.com β€Ί python-list-sorting-keys-lambdas-1903b2a4c949
Python β€” List Sorting, Keys & Lambdas | by John Grant | Medium
July 22, 2016 - They syntax for a lambda is: ... ... 7, 10, 0, 57, 54), β€˜2.61’] the lambda then returns the first element of the list, in this case the element that corresponds to the datetime object....
🌐
X
x.com β€Ί python_tip β€Ί status β€Ί 982266551188389888
list.sort() and sorted() accept key argument to specify a ...
@python_tip Β· list.sort() and sorted() accept key argument to specify a function which returns what you would like your items sorted by: mylst.sort(key = lambda x: x[-1]) sorted(mylst, key = lambda x: len(x)) 10:39 AM Β· Apr 6, 2018 Β· 2 Β· ...
Top answer
1 of 10
293

I think all of the answers here cover the core of what the lambda function does in the context of sorted() quite nicely, however I still feel like a description that leads to an intuitive understanding is lacking, so here is my two cents.

For the sake of completeness, I'll state the obvious up front: sorted() returns a list of sorted elements and if we want to sort in a particular way or if we want to sort a complex list of elements (e.g. nested lists or a list of tuples) we can invoke the key argument.

For me, the intuitive understanding of the key argument, why it has to be callable, and the use of lambda as the (anonymous) callable function to accomplish this comes in two parts.

  1. Using lamba ultimately means you don't have to write (define) an entire function. Lambda functions are created, used, and immediately destroyed - so they don't funk up your code with more code that will only ever be used once. This, as I understand it, is the core utility of the lambda function and its application for such a role is broad. Its syntax is purely a convention, which is in essence the nature of programmatic syntax in general. Learn the syntax and be done with it.

Lambda syntax is as follows:

lambda input_variable(s): tasty one liner

where lambda is a python keyword.

e.g.

In [1]: f00 = lambda x: x/2

In [2]: f00(10)
Out[2]: 5.0

In [3]: (lambda x: x/2)(10)
Out[3]: 5.0

In [4]: (lambda x, y: x / y)(10, 2)
Out[4]: 5.0

In [5]: (lambda: 'amazing lambda')() # func with no args!
Out[5]: 'amazing lambda'
  1. The idea behind the key argument is that it should take in a set of instructions that will essentially point the 'sorted()' function at those list elements which should be used to sort by. When it says key=, what it really means is: As I iterate through the list, one element at a time (i.e. for e in some_list), I'm going to pass the current element to the function specifed by the key argument and use that to create a transformed list which will inform me on the order of the final sorted list.

Check it out:

In [6]: mylist = [3, 6, 3, 2, 4, 8, 23]  # an example list
# sorted(mylist, key=HowToSort)  # what we will be doing

Base example:

# mylist = [3, 6, 3, 2, 4, 8, 23]
In [7]: sorted(mylist)
Out[7]: [2, 3, 3, 4, 6, 8, 23]  
# all numbers are in ascending order (i.e.from low to high).

Example 1:

# mylist = [3, 6, 3, 2, 4, 8, 23]
In [8]: sorted(mylist, key=lambda x: x % 2 == 0)

# Quick Tip: The % operator returns the *remainder* of a division
# operation. So the key lambda function here is saying "return True 
# if x divided by 2 leaves a remainer of 0, else False". This is a 
# typical way to check if a number is even or odd.

Out[8]: [3, 3, 23, 6, 2, 4, 8]  
# Does this sorted result make intuitive sense to you?

Notice that my lambda function told sorted to check if each element e was even or odd before sorting.

BUT WAIT! You may (or perhaps should) be wondering two things.

First, why are the odd numbers coming before the even numbers? After all, the key value seems to be telling the sorted function to prioritize evens by using the mod operator in x % 2 == 0.

Second, why are the even numbers still out of order? 2 comes before 6, right?

By analyzing this result, we'll learn something deeper about how the 'key' argument really works, especially in conjunction with the anonymous lambda function.

Firstly, you'll notice that while the odds come before the evens, the evens themselves are not sorted. Why is this?? Lets read the docs:

Key Functions Starting with Python 2.4, both list.sort() and sorted() added a key parameter to specify a function to be called on each list element prior to making comparisons.

We have to do a little bit of reading between the lines here, but what this tells us is that the sort function is only called once, and if we specify the key argument, then we sort by the value that key function points us to.

So what does the example using a modulo return? A boolean value: True == 1, False == 0. So how does sorted deal with this key? It basically transforms the original list to a sequence of 1s and 0s.

[3, 6, 3, 2, 4, 8, 23] becomes [0, 1, 0, 1, 1, 1, 0]

Now we're getting somewhere. What do you get when you sort the transformed list?

[0, 0, 0, 1, 1, 1, 1]

Okay, so now we know why the odds come before the evens. But the next question is: Why does the 6 still come before the 2 in my final list? Well that's easy - it is because sorting only happens once! Those 1s still represent the original list values, which are in their original positions relative to each other. Since sorting only happens once, and we don't call any kind of sort function to order the original even numbers from low to high, those values remain in their original order relative to one another.

The final question is then this: How do I think conceptually about how the order of my boolean values get transformed back in to the original values when I print out the final sorted list?

Sorted() is a built-in method that (fun fact) uses a hybrid sorting algorithm called Timsort that combines aspects of merge sort and insertion sort. It seems clear to me that when you call it, there is a mechanic that holds these values in memory and bundles them with their boolean identity (mask) determined by (...!) the lambda function. The order is determined by their boolean identity calculated from the lambda function, but keep in mind that these sublists (of one's and zeros) are not themselves sorted by their original values. Hence, the final list, while organized by Odds and Evens, is not sorted by sublist (the evens in this case are out of order). The fact that the odds are ordered is because they were already in order by coincidence in the original list. The takeaway from all this is that when lambda does that transformation, the original order of the sublists are retained.

So how does this all relate back to the original question, and more importantly, our intuition on how we should implement sorted() with its key argument and lambda?

That lambda function can be thought of as a pointer that points to the values we need to sort by, whether its a pointer mapping a value to its boolean transformed by the lambda function, or if its a particular element in a nested list, tuple, dict, etc., again determined by the lambda function.

Lets try and predict what happens when I run the following code.

In [9]: mylist = [(3, 5, 8), (6, 2, 8), (2, 9, 4), (6, 8, 5)]
In[10]: sorted(mylist, key=lambda x: x[1])

My sorted call obviously says, "Please sort this list". The key argument makes that a little more specific by saying, 'for each element x in mylist, return the second index of that element, then sort all of the elements of the original list mylist by the sorted order of the list calculated by the lambda function. Since we have a list of tuples, we can return an indexed element from that tuple using the lambda function.

The pointer that will be used to sort would be:

[5, 2, 9, 8] # the second element of each tuple

Sorting this pointer list returns:

[2, 5, 8, 9]

Applying this to mylist, we get:

Out[10]: [(6, 2, 8), (3, 5, 8), (6, 8, 5), (2, 9, 4)]
# Notice the sorted pointer list is the same as the second index of each tuple in this final list

Run that code, and you'll find that this is the order. Try sorting a list of integers using this key function and you'll find that the code breaks (why? Because you cannot index an integer of course).

This was a long winded explanation, but I hope this helps to sort your intuition on the use of lambda functions - as the key argument in sorted(), and beyond.

2 of 10
207

key is a function that will be called to transform the collection's items before they are compared. The parameter passed to key must be something that is callable.

The use of lambda creates an anonymous function (which is callable). In the case of sorted the callable only takes one parameters. Python's lambda is pretty simple. It can only do and return one thing really.

The syntax of lambda is the word lambda followed by the list of parameter names then a single block of code. The parameter list and code block are delineated by colon. This is similar to other constructs in python as well such as while, for, if and so on. They are all statements that typically have a code block. Lambda is just another instance of a statement with a code block.

We can compare the use of lambda with that of def to create a function.

adder_lambda = lambda parameter1,parameter2: parameter1+parameter2
def adder_regular(parameter1, parameter2): return parameter1+parameter2

lambda just gives us a way of doing this without assigning a name. Which makes it great for using as a parameter to a function.

variable is used twice here because on the left hand of the colon it is the name of a parameter and on the right hand side it is being used in the code block to compute something.

🌐
GeeksforGeeks
geeksforgeeks.org β€Ί python β€Ί ways-sort-list-dictionaries-values-python-using-lambda-function
Ways to sort list of dictionaries by values in Python - Using lambda function - GeeksforGeeks
November 14, 2025 - sorted(dic, key=lambda x: x['age']): sorts the list of dictionaries in ascending order based on the 'age' value of each dictionary. If two items have the same 'age', Python keeps them in the same order as they appeared in the original list.
🌐
FavTutor
favtutor.com β€Ί blogs β€Ί python-sort-lambda
How to Sort with Lambda in Python | 7 Methods (With Code)
September 15, 2023 - Lambda is commonly used in Python with the `sorted()` function for custom sorting.
🌐
Python
docs.python.org β€Ί 3 β€Ί library β€Ί collections.html
collections β€” Container datatypes
>>> def constant_factory(value): ... return lambda: value ... >>> d = defaultdict(constant_factory('<missing>')) >>> d.update(name='John', action='ran') >>> '%(name)s %(action)s to %(object)s' % d 'John ran to <missing>' Setting the default_factory to set makes the defaultdict useful for building a dictionary of sets: >>> s = [('red', 1), ('blue', 2), ('red', 3), ('blue', 4), ('red', 1), ('blue', 4)] >>> d = defaultdict(set) >>> for k, v in s: ... d[k].add(v) ... >>> sorted(d.items()) [('blue', {2, 4}), ('red', {1, 3})]
🌐
Linux Hint
linuxhint.com β€Ί sort-lambda-python
How to sort with lambda in Python – Linux Hint
Many built-in functions exist in Python to sort the list of data in ascending or descending order. The lambda function is one of them. The coder can define the sorting order based on the requirement by using this function. How to sort with lambda in Python is explained in this article.
🌐
Medium
medium.com β€Ί @staytechrich β€Ί python-intermediate-015-sorting-with-sort-and-lambda-in-python-da56263b4061
Python Intermediate_015_ Sorting with .sort() and Lambda in Python | by CodeAddict | Medium
April 3, 2025 - The .sort() method modifies a list ... to define a custom sorting criterion, and a lambda function provides a concise way to specify that criterion without defining a separate function....
🌐
Real Python
realpython.com β€Ί python-sort
How to Use sorted() and .sort() in Python – Real Python
February 24, 2025 - The lambda function takes one argument named word. Then, word[::-1] is called on each element and reverses the word. That reversed output is then used for sorting, but the original words are still returned.
🌐
Educative
educative.io β€Ί answers β€Ί how-to-sort-a-list-of-tuples-in-python-using-lambda
How to sort a list of tuples in Python using Lambda
A nested list of tuples. This will be sorted using the sort() method and sorted() function with the lambda function.
🌐
Medium
drlee.io β€Ί exploring-lambda-functions-in-python-de18f05a287a
Exploring Lambda Functions in Python | by Dr. Ernesto Lee | Medium
April 2, 2023 - Your task is to sort the employees first by their age in ascending order, and then by their salary in descending order (for employees with the same age). You will use lambda functions to achieve this.
🌐
Imperial College London
python.pages.doc.ic.ac.uk β€Ί 2022 β€Ί lessons β€Ί core10 β€Ί 05-lambda β€Ί 03-sorted.html
Lesson 10: I am Your Father > Lambda in sorted() | Python Programming (70053 Autumn Term 2022/2023) | Department of Computing | Imperial College London
You can use lambda function to sort the items by the values of the dictionary. This time, we will use the sorted() function rather than the mutable list.sort(). Just because we can! freq = {"python": 24, "cat": 78, "mat": 12, "aardvark": 1, "fish": 56} sorted_tuples = sorted(freq.items(), ...
🌐
YouTube
youtube.com β€Ί watch
Python interview question #24: Sorting with lambda - YouTube
How can you use lambda to sort a list in a custom, non-standard way? In this video, I demonstrate how to combine lambda with the "sorted" builtin. If you're ...
Published Β  April 25, 2025