I am using pandas groupby and want to apply the function to make a set from the items in the group.
The following results in TypeError: 'type' object is not iterable:
df = df.groupby('col1')['col2'].agg({'size': len, 'set': set})
But the following works:
def to_set(x):
    return set(x)
    
df = df.groupby('col1')['col2'].agg({'size': len, 'set': to_set})
In my understanding the two expression are similar, what is the reason why the first does not work?
Advertisement
Answer
Update
- As late as pandas version 0.22, this is an issue.
- As of pandas version 1.1.2, this is not an issue. Aggregating set, doesn’t result inTypeError: 'type' object is not iterable.- Not certain when the functionality was updated.
 
Original Answer
It’s because set is of type type whereas to_set is of type function:
type(set)
<class 'type'>
def to_set(x):
    return set(x)
type(to_set)
<class 'function'>
According to the docs, .agg() expects:
arg :
functionordict
Function to use for aggregating groups.
- If a
function, must either work when passed aDataFrameor when passed toDataFrame.apply.
- If passed a
dict, the keys must beDataFramecolumn names.
Accepted Combinations are:
stringcythonized function name
function
listof functions
dictof columns -> functions
- nested
dictof names -> dicts of functions
