摘要
简而言之,我需要从包含单个OrderedDicts的熊猫系列中提取数据。到目前为止,进展很好,但我现在遇到了绊脚石。
当我出于堆栈溢出的演示目的定义自己的数据框时,可以使用OrderedDict索引功能来查找OrderedDict中需要的数据。但是,当我处理未在数据帧内定义OrderedDict的真实数据时,我必须使用函数通过标准Json包解析OrderedDict。
我正在使用的OrderedDicts具有多个嵌套层次结构,可以操纵...的常规方式
from collections import OrderedDict
example = OrderedDict([('attributes', OrderedDict([('type', 'Name'), ('url', 'URLHERE')])), ('UserRole', OrderedDict([('attributes', OrderedDict([('type', 'UserRole'), ('url', 'URLHERE')])), ('Name', 'Telephone Sales')]))])
print(example['UserRole']['Name'])
以上代码将产生'Telephone Sales'
。但是,这仅在我为示例手动定义了DataFrame时有效,因为我必须使用collections.OrderedDict包而不需要解析。
背景
下面是我为StackOverflow准备的一些代码,它们松散地演示了我的问题。
import pandas as pd
import json
from collections import OrderedDict
# Settings
pd.set_option('display.max_colwidth', -1)
# Functions
def extract_odict_item(odict, key_1, key_2=None):
data = json.dumps(odict)
final_data = json.loads(data)
if key_2 is None:
if final_data is not None:
return final_data[key_1]
else:
return None
elif key_2 is not None:
if final_data is not None:
return final_data[key_1][key_2]
else:
return None
# Data
accounts = [
OrderedDict([('attributes', OrderedDict([('type', 'Account'), ('url', 'URLHERE')])), ('Name', 'Supermarket'), ('AccountNumber', 'ACC1234'), ('MID__c', '123456789')]),
OrderedDict([('attributes', OrderedDict([('type', 'Account'), ('url', 'URLHERE')])), ('Name', 'Bar'), ('AccountNumber', 'ACC9876'), ('MID__c', '987654321')]),
OrderedDict([('attributes', OrderedDict([('type', 'Account'), ('url', 'URLHERE')])), ('Name', 'Florist'), ('AccountNumber', 'ACC1298'), ('MID__c', '123459876')])
]
owner = [
OrderedDict([('attributes', OrderedDict([('type', 'Name'), ('url', 'URLHERE')])), ('UserRole', OrderedDict([('attributes', OrderedDict([('type', 'UserRole'), ('url', 'URLHERE')])), ('Name', 'Telephoone Sales')]))]),
OrderedDict([('attributes', OrderedDict([('type', 'Name'), ('url', 'URLHERE')])), ('UserRole', OrderedDict([('attributes', OrderedDict([('type', 'UserRole'), ('url', 'URLHERE')])), ('Name', 'Field Sales')]))]),
OrderedDict([('attributes', OrderedDict([('type', 'Name'), ('url', 'URLHERE')])), ('UserRole', OrderedDict([('attributes', OrderedDict([('type', 'UserRole'), ('url', 'URLHERE')])), ('Name', 'Online Sale')]))])
]
# Dataframe
df = pd.DataFrame({'ConvertedAccounts': accounts,
'Owner': owner
})
# Extract data from OrderedDict using usual indexing
df['MerchantID'] = df['ConvertedAccounts'].apply(lambda x: x['MID__c'])
df['UserRole'] = df['Owner'].apply(lambda x: x['UserRole']['Name'])
# Extract data from OrderedDict using function
df['extracted_MerchantID'] = df['ConvertedAccounts'].apply(lambda x: extract_odict_item(x, 'MID__c'))
df['extracted_UserRole'] = df['Owner'].apply(
lambda x: extract_odict_item(x, 'UserRole', 'Name'))
# Drop junk columns
df = df.drop(columns=['ConvertedAccounts', 'Owner'])
print(df)
在上面的代码中,我具有函数extract_odict_item(),只要我指定所需的内容,就可以使用该函数从数据框中的每个单独的OrderedDict中提取数据,并将其放入新列中。但是,我希望能够通过* args指定尽可能多的参数,以表示要遍历并从最终键中提取值的嵌套数量。
预期结果
我希望能够使用下面的函数来接受多个参数并像这样创建嵌套的索引选择器...
# Functions
def extract_odict_item(odict, *args):
data = json.dumps(odict)
final_data = json.loads(data)
if len(args) == 0:
raise Exception('Requires atleast 1 argument')
elif len(args) == 1:
if final_data is not None:
return final_data[args[0]]
else:
return None
elif len(args) > 1:
### Pseudo Code ###
# if final_data is not None:
# return final_data[args[0]][args[1]][args[2]] etc.....
# else:
# return None
所以如果我打电话给extract_odict_item
extract_odict_item(odict, 'item1', 'item2', 'item3')
它应该返回final_data['item1']['item2']['item3']
我可能对此事过于复杂了,但我想不出其他任何事情,或者甚至在Python中也没有可能。
答案
我能够使用递归函数来处理需要从orderdict中选择哪些数据
import json
from collections import OrderedDict
# Settings
pd.set_option('display.max_colwidth', -10)
# Data
owner = [
OrderedDict([('attributes', OrderedDict([('type', 'Name'), ('url', 'URLHERE')])), ('UserRole', OrderedDict([('attributes', OrderedDict([('type', 'UserRole'), ('url', 'URLHERE')])), ('Name', 'Telephoone Sales')]))]),
OrderedDict([('attributes', OrderedDict([('type', 'Name'), ('url', 'URLHERE')])), ('UserRole', OrderedDict([('attributes', OrderedDict([('type', 'UserRole'), ('url', 'URLHERE')])), ('Name', 'Field Sales')]))]),
OrderedDict([('attributes', OrderedDict([('type', 'Name'), ('url', 'URLHERE')])), ('UserRole', OrderedDict([('attributes', OrderedDict([('type', 'UserRole'), ('url', 'URLHERE')])), ('Name', 'Online Sale')]))])
]
# Functions
def rec_ext(odict, item_list):
new_list = item_list.copy()
data = json.dumps(odict)
final_data = json.loads(data)
el = new_list.pop()
if isinstance(final_data[el], dict):
return rec_ext(final_data[el], new_list)
else:
return final_data[el]
# Dataframe
df = pd.DataFrame({'owner': owner
})
my_columns = ['UserRole', 'Name']
my_columns.reverse()
df['owner2'] = df['owner'].apply(lambda x: rec_ext(x, my_columns))
print(df['owner2'])
答案 0 :(得分:2)
这不是确切的答案-但如果我正确理解了您的问题,则可以尝试递归-
d = {1: {2: {3: {4: 5}}}}#Arbitrarily nested dict
l = [1, 2, 3, 4]
def rec_ext(my_dict, my_list):
el = my_list.pop()
if isinstance(my_dict[el], dict):
return rec_ext(my_dict[el], my_list)
else:
return my_dict[el]
l.reverse() #we reverse because we are "popping" in the function
rec_ext(d, l)
#Returns 5