Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Quickly applying string operations in a pandas DataFrame

Tags:

python

pandas

Suppose I have a DataFrame with 100k rows and a column name. I would like to split this name into first and last name as efficiently as possibly. My current method is,

def splitName(name):
  return pandas.Series(name.split()[0:2])

df[['first', 'last']] = df.apply(lambda x: splitName(x['name']), axis=1)

Unfortunately, DataFrame.apply is really, really slow. Is there anything I can do to make this string operation nearly as fast as a numpy operation?

Thanks!

like image 773
duckworthd Avatar asked Oct 10 '12 22:10

duckworthd


1 Answers

Try (requires pandas >= 0.8.1):

splits = x['name'].split()
df['first'] = splits.str[0]
df['last'] = splits.str[1]
like image 173
Wes McKinney Avatar answered Sep 21 '22 13:09

Wes McKinney