to_dict()在值周围创建括号

时间:2018-09-17 11:59:03

标签: python pandas dictionary

我试图从我的pandas DataFrame创建默认字典,但是to_dict()方法在我要编写的列的值周围创建了不需要的方括号。示例代码如下:

# Create DF
my_df = pd.DataFrame({'numbers': (1, 2, 3, 4, 5), 'letters': ('a', 'b', 'c', 'd', 'e')})

# Create dictionary from the DF
my_dict = my_df.set_index('numbers').T.to_dict('list')

# Create collections dictionary
my_collections_dict = collections.defaultdict(int, my_dict)

导致:

defaultdict(int, {1: ['a'], 2: ['b'], 3: ['c'], 4: ['d'], 5: ['e']})

我想要的是:

defaultdict(int, {1: 'a', 2: 'b', 3: 'c', 4: 'd', 5: 'e'})

如何获取“纯”列值?

2 个答案:

答案 0 :(得分:3)

您不需要转置框架,而是可以选择列并执行以下操作:

my_dict = my_df.set_index('numbers')['letters'].to_dict()

如果您想在字典中使用多列,则需要多花一行,但是您可以使用:

my_dict = my_df.set_index('numbers').to_dict(orient='index')
my_dict = {k: list(v.values()) for k, v in my_dict.items()}

答案 1 :(得分:1)

这是因为您指定了to_dict('list')->这样,条目将作为列表返回(这就是为什么它们显示在[]中的原因。

尝试改用records

# Create DF
my_df = pd.DataFrame({'numbers': (1, 2, 3, 4, 5), 'letters': ('a', 'b', 'c', 'd', 'e')})

# Create dictionary from the DF
my_dict = my_df.set_index('numbers').T.to_dict('records')

# Create collections dictionary
my_collections_dict = collections.defaultdict(int, my_dict)

第二行的输出:

[{1: 'a', 2: 'b', 3: 'c', 4: 'd', 5: 'e'}]