如何从pandas数据帧中列出列表,跳过nan值

问题描述 投票:2回答:3

我有一个大致相似的熊猫数据框

    foo   foo2   foo3  foo4
a   NY    WA     AZ    NaN
b   DC    NaN    NaN   NaN
c   MA    CA     NaN   NaN

我想制作一个嵌套的数据帧观察列表,但省略了NaN值,所以我有[[''NY','WA','AZ'],['DC'],[' MA 'CA']。

这个数据框中有一个模式,如果这有所不同,那么如果fooX为空,则后续列fooY也将为空。

我最初有类似下面的代码。我相信有更好的方法可以做到这一点

A = [[i] for i in subset_label['label'].tolist()]
B = [i for i in subset_label['label2'].tolist()]
C = [i for i in subset_label['label3'].tolist()]
D = [i for i in subset_label['label4'].tolist()]
out_list = []
for index, row in subset_label.iterrows():
out_list.append([row.label, row.label2, row.label3, row.label4])
out_list
list pandas dataframe nested nan
3个回答
4
投票

试试这个:

In [77]: df.T.apply(lambda x: x.dropna().tolist()).tolist()
Out[77]: [['NY', 'WA', 'AZ'], ['DC'], ['MA', 'CA']]

2
投票

选项1 pd.DataFrame.stack默认下降na。

df.stack().groupby(level=0).apply(list).tolist()

[['NY', 'WA', 'AZ'], ['DC'], ['MA', 'CA']]

___

选项2 有趣的选择,因为我认为在熊猫对象中汇总列表很有趣。

df.applymap(lambda x: [x] if pd.notnull(x) else []).sum(1).tolist()

[['NY', 'WA', 'AZ'], ['DC'], ['MA', 'CA']]

选项3 numpy实验

nn = df.notnull().values
sliced = df.values.ravel()[nn.ravel()]
splits = nn.sum(1)[:-1].cumsum()
[s.tolist() for s in np.split(sliced, splits)]

[['NY', 'WA', 'AZ'], ['DC'], ['MA', 'CA']]

0
投票

这是一个矢量化版本!

original = pd.DataFrame(data={
    'foo': ['NY', 'DC', 'MA'],
    'foo2': ['WA', np.nan, 'CA'],
    'foo3': ['AZ', np.nan, np.nan],
    'foo4': [np.nan] * 3,
})

out = original.copy().fillna('NAN')

# Build up mapping such that each non-nan entry is mapped to [entry]
#   and nan entries are mapped to []
unique_entries = np.unique(out.values)
mapping = {e: [e] for e in unique_entries}
mapping['NAN'] = []

# Apply mapping
for c in original.columns:
    out[c] = out[c].map(mapping)

# Concatenate the lists along axis 1
out.sum(axis=1)

你应该得到类似的东西

0    [NY, WA, AZ]
1            [DC]
2        [MA, CA]
dtype: object
© www.soinside.com 2019 - 2024. All rights reserved.