我有一个xml列表和一个for循环,该循环将xml展平为pandas数据框。
for循环工作得很好,但是将xml展平需要花费很长时间,随着时间的流逝,它会变得越来越大。
如何将下面的for循环包装在executor.map
中,以在不同的内核之间分配工作负载?我正在关注本文https://medium.com/@ageitgey/quick-tip-speed-up-your-python-data-processing-scripts-with-process-pools-cf275350163a
for循环以展开xml:
df1 = pd.DataFrame()
for i in lst:
print('i am working')
soup = BeautifulSoup(i, "xml")
# Get Attributes from all nodes
attrs = []
for elm in soup(): # soup() is equivalent to soup.find_all()
attrs.append(elm.attrs)
# Since you want the data in a dataframe, it makes sense for each field to be a new row consisting of all the other node attributes
fields_attribute_list= [x for x in attrs if 'Id' in x.keys()]
other_attribute_list = [x for x in attrs if 'Id' not in x.keys() and x != {}]
# Make a single dictionary with the attributes of all nodes except for the `Field` nodes.
attribute_dict = {}
for d in other_attribute_list:
for k, v in d.items():
attribute_dict.setdefault(k, v)
# Update each field row with attributes from all other nodes.
full_list = []
for field in fields_attribute_list:
field.update(attribute_dict)
full_list.append(field)
# Make Dataframe
df = pd.DataFrame(full_list)
df1 = df1.append(df)
是否需要将for循环转换为函数?
答案 0 :(得分:1)
是的,您确实需要将循环转换为一个函数。该函数必须只能接受一个参数。那一个论点可以是诸如列表,元组,字典之类的任何东西。具有多个参数的函数要放入concurrent.futures.*Executor
方法中有点复杂。
下面的示例适用于您。
from bs4 import BeautifulSoup
import pandas as pd
from concurrent import futures
def create_dataframe(xml):
soup = BeautifulSoup(xml, "xml")
# Get Attributes from all nodes
attrs = []
for elm in soup(): # soup() is equivalent to soup.find_all()
attrs.append(elm.attrs)
# Since you want the data in a dataframe, it makes sense for each field to be a new row consisting of all the other node attributes
fields_attribute_list = [x for x in attrs if 'FieldId' in x.keys()]
other_attribute_list = [x for x in attrs if 'FieldId' not in x.keys() and x != {}]
# Make a single dictionary with the attributes of all nodes except for the `Field` nodes.
attribute_dict = {}
for d in other_attribute_list:
for k, v in d.items():
attribute_dict.setdefault(k, v)
# Update each field row with attributes from all other nodes.
full_list = []
for field in fields_attribute_list:
field.update(attribute_dict)
full_list.append(field)
print(len(full_list))
# Make Dataframe
df = pd.DataFrame(full_list)
# print(df)
return df
with futures.ThreadPoolExecutor() as executor: # Or use ProcessPoolExecutor
df_list = executor.map(create_dataframe, lst)
df_list = list(df_list)
full_df = pd.concat(list(df_list))
print(full_df)