Pandas:从键:值对的字符串重建数据帧

时间:2016-01-28 15:27:12

标签: python pandas dataframe

假设我有以下数据集:

  0
0 foo:1 bar:2 baz:3
1 bar:4 baz:5
2 foo:6

因此每一行本质上都是一个序列化为字符串的字典,其中key:value对由空格分隔。每行有数百个key:value对,而唯一键的数量是几千。所以可以说,数据很少。

我想得到的是一个很好的DataFrame,其中键是列,值是单元格。缺失值被零替换。像这样:

  foo bar baz
0   1   2   3
1   0   4   5
2   6   0   0

我知道我可以将字符串拆分为键:值对:

In: frame[0].str.split(' ')
Out:
  0
0 [foo:1, bar:2, baz:3]
1 [bar:4, baz:5]
2 [foo:6]

但下一步是什么?

编辑:我在AzureML Studio环境中运行。效率很重要。

1 个答案:

答案 0 :(得分:1)

您可以尝试列表理解,然后使用DataFrame创建新的0 from_recordsfillna

s = df['0'].str.split(' ')

d = [dict(w.split(':', 1) for w in x) for x in s]
print d
#[{'baz': '3', 'foo': '1', 'bar': '2'}, {'baz': '5', 'bar': '4'}, {'foo': '6'}]

print pd.DataFrame.from_records(d).fillna(0)
#  bar baz foo
#0   2   3   1
#1   4   5   0
#2   0   0   6

编辑:

如果在函数from_records参数indexcolumns中使用,您可以获得更好的效果:

print df
                               0
0              foo:1 bar:2 baz:3
1                    bar:4 baz:5
2                          foo:6
3  foo:1 bar:2 baz:3 bal:8 adi:5

s = df['0'].str.split(' ')
d = [dict(w.split(':', 1) for w in x) for x in s]
print d
[{'baz': '3', 'foo': '1', 'bar': '2'}, 
 {'baz': '5', 'bar': '4'}, 
 {'foo': '6'}, 
 {'baz': '3', 'bal': '8', 'foo': '1', 'bar': '2', 'adi': '5'}]

如果最长dictionary包含所有可能列的所有键:

cols = sorted(d, key=len, reverse=True)[0].keys()
print cols
['baz', 'bal', 'foo', 'bar', 'adi']

df = pd.DataFrame.from_records( d, index= df.index, columns=cols )
df = df.fillna(0)

print df
  baz bal foo bar adi
0   3   0   1   2   0
1   5   0   0   4   0
2   0   0   6   0   0
3   3   8   1   2   5

EDIT2:如果最长dictionary不包含所有键和键在其他词典中,请使用:

list(set( val for dic in d for val in dic.keys()))

样品:

print df
                               0
0            foo1:1 bar:2 baz1:3
1                    bar:4 baz:5
2                          foo:6
3  foo:1 bar:2 baz:3 bal:8 adi:5

s = df['0'].str.split(' ')
d = [dict(w.split(':', 1) for w in x) for x in s]

print d
[{'baz1': '3', 'bar': '2', 'foo1': '1'}, 
 {'baz': '5', 'bar': '4'}, 
 {'foo': '6'}, 
 {'baz': '3', 'bal': '8', 'foo': '1', 'bar': '2', 'adi': '5'}]

cols =  list(set( val for dic in d for val in dic.keys()))
print cols 
['bar', 'baz', 'baz1', 'bal', 'foo', 'foo1', 'adi']

df = pd.DataFrame.from_records( d, index= df.index, columns=cols )
df = df.fillna(0)

print df
  bar baz baz1 bal foo foo1 adi
0   2   0    3   0   0    1   0
1   4   5    0   0   0    0   0
2   0   0    0   0   6    0   0
3   2   3    0   8   1    0   5