将重复的“键=值”对的文件读入DataFrame


11

我有一个txt文件,其中包含此格式的数据。前三行重复一遍又一遍。

name=1
grade=A
class=B
name=2
grade=D
class=A

我想以表格格式输出数据,例如:

name | grade | class
1    | A     | B
2    | D     | A

我正在努力设置标题,并循环遍历数据。到目前为止,我尝试过的是:

def myfile(filename):
    with open(file1) as f:
        for line in f:
            yield line.strip().split('=',1)

def pprint_df(dframe):
    print(tabulate(dframe, headers="keys", tablefmt="psql", showindex=False,))

#f = pd.DataFrame(myfile('file1')
df = pd.DataFrame(myfile('file1'))
pprint_df(df)

该输出是

+-------+-----+
| 0     | 1   |
|-------+-----|
| name  | 1   |
| grade | A   |
| class | B   |
| name  | 2   |
| grade | D   |
| class | A   |
+-------+-----+

并不是我真正想要的。

Answers:


2

此解决方案假定文本格式与您描述的相同,但是您可以对其进行修改以使用其他单词来表示新行的开头。在此,我们假设新行以该name字段开头。我在myfile()下面修改了您的功能,希望它能给您一些想法:)

def myfile(filename):
    d_list = []
    with open(filename) as f:
        d_line = {}
        for line in f:
            split_line = line.rstrip("\n").split('=')  # Strip \n characters and split field and value.
            if (split_line[0] == 'name'):
                if d_line:
                    d_list.append(d_line)  # Append if there is previous line in d_line.
                d_line = {split_line[0]: split_line[1]}  # Start a new dictionary to collect the next lines.
            else:
                d_line[split_line[0]] = split_line[1]  # Add the other 2 fields to the dictionary.
        d_list.append(d_line) # Append the last line.
    return pd.DataFrame(d_list)  # Turn the list of dictionaries into a DataFrame.

10

您可以使用熊猫来读取文件并处理数据。您可以使用此:

import pandas as pd
df = pd.read_table(r'file.txt', header=None)
new = df[0].str.split("=", n=1, expand=True)
new['index'] = new.groupby(new[0])[0].cumcount()
new = new.pivot(index='index', columns=0, values=1)

new 输出:

0     class grade name
index                 
0         B     A    1
1         A     D    2

添加df = pd.read_table(file, header=None),进行以下代码行new = df[0].str.split("=", n=1, expand=True),这将是我最喜欢的“漂亮代码”答案。
MrFuppes

@MrFuppes我编辑了答案。感谢您的提示。
luigigi

1
+1 ;-)但是,我%timeit对我的回答不满意,并感到很遗憾,纯熊猫解决方案的速度有多慢。这在我的机器上慢了大约x7(对于非常小的输入txt文件)!开销带来了方便,开销(大部分时间)带来了性能损失……
MrFuppes

7

我知道您有足够的答案,但这是使用字典的另一种方法:

import pandas as pd
from collections import defaultdict
d = defaultdict(list)

with open("text_file.txt") as f:
    for line in f:
        (key, val) = line.split('=')
        d[key].append(val.replace('\n', ''))

df = pd.DataFrame(d)
print(df)

这将为您提供以下输出:

name grade class
0    1     A     B
1    2     D     A

只是换个角度。


3

当您获得输出时,这就是我将如何处理该问题:

首先根据列的可重复性创建唯一索引,

df['idx'] = df.groupby(df['0'])['0'].cumcount() + 1
print(df)
        0  1  idx
0   name  1      1
1  grade  A      1
2  class  B      1
3   name  2      2
4  grade  D      2
5  class  A      2

然后,我们使用该crosstab函数使用此功能来旋转您的数据框

df1 = pd.crosstab(df['idx'],df['0'],values=df['1'],aggfunc='first').reset_index(drop=True)
print(df1[['name','grade','class']])
0 name grade class
0    1     A     B
1    2     D     A

3

什么,你也可以做的是读你的文本文件file中的3块,建立一个嵌套列表,并把在一个数据帧:

from itertools import zip_longest
import pandas as pd

# taken from https://docs.python.org/3.7/library/itertools.html:
def grouper(iterable, n, fillvalue=None):
    "Collect data into fixed-length chunks or blocks"
    # grouper('ABCDEFG', 3, 'x') --> ABC DEF Gxx"
    args = [iter(iterable)] * n
    return zip_longest(*args, fillvalue=fillvalue)

data = [['name', 'grade', 'class']]
with open(file, 'r') as fobj:
    blocks = grouper(fobj, 3)
    for b in blocks:
        data.append([i.split('=')[-1].strip() for i in b])

df = pd.DataFrame(data[1:], columns=data[0])  

df 将直接是

  name grade class
0    1     A     B
1    2     D     A

注意#1:尽管与纯pandas解决方案相比,这使代码行更多,但根据我的经验,由于使用的pandas函数较少,因此开销也较小,因此效率可能更高。

注意#2:一般来说,我认为最好以其他格式(例如json或)存储输入数据csv。这将使它更容易阅读,例如在使用csv文件的情况下,使用read_csvpandas函数。


0

您可以使用Python的Dictionary模块和Pandas 生成该输出。

import pandas as pd
from collections import defaultdict

text = '''name=1
          grade=A
          class=B
          name=2
          grade=D
          class=A'''
text = text.split()

new_dict = defaultdict(list) 
for i in text:
    temp = i.split('=')
    new_dict[temp[0]].append(temp[1])

df = pd.DataFrame(new_dict)

这种方法可能不是最有效的方法,但是它没有使用Pandas的任何高级功能。希望能帮助到你。

输出:

    name    grade   class
0      1        A       B
1      2        D       A

0

恕我直言,所有当前答案似乎太复杂了。我要做的是,将其'='用作读取2列的sep参数pd.read_csv,然后读取pivot获得的DataFrame:

import pandas as pd

df = pd.read_csv('myfile', sep='=', header=None)
#        0  1
# 0   name  1
# 1  grade  A
# 2  class  B
# 3   name  2
# 4  grade  D
# 5  class  A

df = df.pivot(index=df.index // len(df[0].unique()), columns=0)
#       1           
# 0 class grade name
# 0     B     A    1
# 1     A     D    2

如果您不希望该多级列索引出现在结果中,则可以通过以下方式将其删除:

df.columns = df.columns.get_level_values(1)
# 0 class grade name
# 0     B     A    1
# 1     A     D    2
By using our site, you acknowledge that you have read and understand our Cookie Policy and Privacy Policy.
Licensed under cc by-sa 3.0 with attribution required.