Necesito dividir mis datos en un conjunto de entrenamiento (75%) y un conjunto de prueba (25%). Actualmente hago eso con el siguiente código:
X, Xt, userInfo, userInfo_train = sklearn.cross_validation.train_test_split(X, userInfo)
Sin embargo, me gustaría estratificar mi conjunto de datos de entrenamiento. ¿Cómo puedo hacer eso? He estado investigando el StratifiedKFold
método, pero no me permite especificar la división 75% / 25% y solo estratificar el conjunto de datos de entrenamiento.
python
scikit-learn
pir
fuente
fuente
TL; DR: Utilice StratifiedShuffleSplit con
test_size=0.25
Scikit-learn proporciona dos módulos para la división estratificada:
n_folds
entrenamiento / prueba de manera que las clases estén igualmente equilibradas en ambos.Aquí hay un código (directamente de la documentación anterior)
>>> skf = cross_validation.StratifiedKFold(y, n_folds=2) #2-fold cross validation >>> len(skf) 2 >>> for train_index, test_index in skf: ... print("TRAIN:", train_index, "TEST:", test_index) ... X_train, X_test = X[train_index], X[test_index] ... y_train, y_test = y[train_index], y[test_index] ... #fit and predict with X_train/test. Use accuracy metrics to check validation performance
n_iter=1
. Puede mencionar el tamaño de la prueba aquí igual que entrain_test_split
Código:
>>> sss = StratifiedShuffleSplit(y, n_iter=1, test_size=0.5, random_state=0) >>> len(sss) 1 >>> for train_index, test_index in sss: ... print("TRAIN:", train_index, "TEST:", test_index) ... X_train, X_test = X[train_index], X[test_index] ... y_train, y_test = y[train_index], y[test_index] >>> # fit and predict with your classifier using the above X/y train/test
fuente
0.18.x
,n_iter
debería sern_splits
paraStratifiedShuffleSplit
, y que hay una API ligeramente diferente para ello: scikit-learn.org/stable/modules/generated/…y
es una serie Pandas, usey.iloc[train_index], y.iloc[test_index]
dataframe index: 2,3,5
the first split in sss:[(array([2, 1]), array([0]))]
:(X_train, X_test = X[train_index], X[test_index]
se invoca una línea anulaX_train
yX_test
? ¿Por qué entonces no solo unonext(sss)
?Aquí hay un ejemplo de datos continuos / de regresión (hasta que se resuelva este problema en GitHub ).
min = np.amin(y) max = np.amax(y) # 5 bins may be too few for larger datasets. bins = np.linspace(start=min, stop=max, num=5) y_binned = np.digitize(y, bins, right=True) X_train, X_test, y_train, y_test = train_test_split( X, y, stratify=y_binned )
start
es min ystop
máximo de su objetivo continuo.right=True
, más o menos hará que su valor máximo sea un contenedor separado y su división siempre fallará porque habrá muy pocas muestras en ese contenedor adicional.fuente
Simplemente puede hacerlo con el
train_test_split()
método disponible en Scikit learn:from sklearn.model_selection import train_test_split train, test = train_test_split(X, test_size=0.25, stratify=X['YOUR_COLUMN_LABEL'])
También he preparado un breve resumen de GitHub que muestra cómo
stratify
funciona la opción:https://gist.github.com/SHi-ON/63839f3a3647051a180cb03af0f7d0d9
fuente
Además de la respuesta aceptada por @Andreas Mueller, solo quiero agregar eso como @tangy mencionado anteriormente:
StratifiedShuffleSplit se parece más a train_test_split ( stratify = y) con características adicionales de:
fuente
#train_size is 1 - tst_size - vld_size tst_size=0.15 vld_size=0.15 X_train_test, X_valid, y_train_test, y_valid = train_test_split(df.drop(y, axis=1), df.y, test_size = vld_size, random_state=13903) X_train_test_V=pd.DataFrame(X_train_test) X_valid=pd.DataFrame(X_valid) X_train, X_test, y_train, y_test = train_test_split(X_train_test, y_train_test, test_size=tst_size, random_state=13903)
fuente
Actualizando la respuesta de @tangy desde arriba a la versión actual de scikit-learn: 0.23.2 ( documentación de StratifiedShuffleSplit ).
from sklearn.model_selection import StratifiedShuffleSplit n_splits = 1 # We only want a single split in this case sss = StratifiedShuffleSplit(n_splits=n_splits, test_size=0.25, random_state=0) for train_index, test_index in sss.split(X, y): X_train, X_test = X[train_index], X[test_index] y_train, y_test = y[train_index], y[test_index]
fuente