问题
I have a pandas data frame with 50k rows. I'm trying to add a new column that is a randomly generated integer from 1 to 5.
If I want 50k random numbers I'd use:
df1['randNumCol'] = random.sample(xrange(50000), len(df1))
but for this I'm not sure how to do it.
Side note in R, I'd do:
sample(1:5, 50000, replace = TRUE)
Any suggestions?
回答1:
One solution is to use numpy.random.randint:
import numpy as np
df1['randNumCol'] = np.random.randint(1, 6, df1.shape[0])
Or if the numbers are non-consecutive (albeit slower), you can use this:
df1['randNumCol'] = np.random.choice([1, 9, 20], df1.shape[0])
In order to make the results reproducible you can set the seed with numpy.random.seed.
回答2:
To add a column of random integers, use randint(low, high, size)
. There's no need to waste memory allocating range(low, high)
; that could be a lot of memory if high
is large.
df1['randNumCol'] = np.random.randint(0,5, size=len(df1))
(Note also that when we're just adding a single column, size
is just an integer. In general if we want to generate an array/dataframe of randint()s
, size can be a tuple, as in Pandas: How to create a data frame of random integers?)
来源:https://stackoverflow.com/questions/30327417/pandas-create-new-column-in-df-with-random-integers-from-range