To label encode list of lists in a DataFrame series, we first train the encoder with the unique text labels and then use apply
to transform
each text label to the trained integer label in the list of lists. Here is an example:
In [2]: import pandas as pd
In [3]: from sklearn import preprocessing
In [4]: df = pd.DataFrame({"Day":["Monday", "Tuesday", "Wednesday", "Thursday", "Friday"], "Veggies&Drinks":[["lettuce"
...: , "tomatoes", "ginger", "vodka", "tomatoes"], ["flour", "vodka", "mustard", "lettuce", "ginger"], ["mustard", "
...: tomatoes", "ginger", "vodka", "tomatoes"], ["ginger", "vodka", "lettuce", "tomatoes", "flour"], ["mustard", "le
...: ttuce", "ginger", "flour", "tomatoes"]]})
In [5]: df
Out[5]:
Day Veggies&Drinks
0 Monday [lettuce, tomatoes, ginger, vodka, tomatoes]
1 Tuesday [flour, vodka, mustard, lettuce, ginger]
2 Wednesday [mustard, tomatoes, ginger, vodka, tomatoes]
3 Thursday [ginger, vodka, lettuce, tomatoes, flour]
4 Friday [mustard, lettuce, ginger, flour, tomatoes]
In [9]: label_encoder = preprocessing.LabelEncoder()
In [19]: list_of_veggies_drinks = ["lettuce","tomatoes","ginger","vodka","flour","mustard"]
In [20]: label_encoder.fit(list_of_veggies_drinks)
Out[20]: LabelEncoder()
In [21]: integer_encoded = df["Veggies&Drinks"].apply(lambda x:label_encoder.transform(x))
In [22]: integer_encoded
Out[22]:
0 [2, 4, 1, 5, 4]
1 [0, 5, 3, 2, 1]
2 [3, 4, 1, 5, 4]
3 [1, 5, 2, 4, 0]
4 [3, 2, 1, 0, 4]
Name: Veggies&Drinks, dtype: object
In [23]: df["Encoded"] = integer_encoded
In [24]: df
Out[24]:
Day Veggies&Drinks Encoded
0 Monday [lettuce, tomatoes, ginger, vodka, tomatoes] [2, 4, 1, 5, 4]
1 Tuesday [flour, vodka, mustard, lettuce, ginger] [0, 5, 3, 2, 1]
2 Wednesday [mustard, tomatoes, ginger, vodka, tomatoes] [3, 4, 1, 5, 4]
3 Thursday [ginger, vodka, lettuce, tomatoes, flour] [1, 5, 2, 4, 0]
4 Friday [mustard, lettuce, ginger, flour, tomatoes] [3, 2, 1, 0, 4]