I’m learning data analysis while performing vectorized operation with lambda function it run at first but again run it shows error as TypeError: <lambda>() takes 1 positional argument but 2 were given
sample data of tips.csv file
JavaScript
x
2
1
quality = lambda x:'Generous' if x['tip']/x['total_bill']>0.25 else 'Other'
2
This is the image that I run first which doesn’t show any error
JavaScript
1
4
1
a = np.vectorize(quality)
2
df['q2'] = a(df['total_bill'],df['tip'])
3
df['q1'] = np.vectorize(quality)(df['total_bill'],df['tip'])
4
Advertisement
Answer
You can vectorize solution different way – with numpy.where
instead lambda and np.vectorize
:
JavaScript
1
2
1
df['q1'] = np.where(df['tip']/df['total_bill']>0.25, 'Generous' ,'Other')
2
EDIT:
After some research for correct working need pass x, y
to lambda and also change selecting by columns in lambda function
like, because you pass 2 columns to function:
JavaScript
1
16
16
1
df = pd.DataFrame({
2
'tip':[1,2,6],
3
'total_bill':[1,5,1] })
4
5
quality = lambda x, y:'Generous' if x/y>0.25 else 'Other'
6
7
a = np.vectorize(quality)
8
df['q2'] = a(df['total_bill'],df['tip'])
9
df['q1'] = np.vectorize(quality)(df['total_bill'],df['tip'])
10
print (df)
11
12
tip total_bill q2 q1
13
0 1 1 Generous Generous
14
1 2 5 Generous Generous
15
2 6 1 Other Other
16