繁体   English   中英

在 Python 3 中的 csv.DictReader 中合并两个几乎相同的行

[英]Merge two almost identical rows in a csv.DictReader in Python 3

我有以下数据,只是想不出将其合并到 Python 中的解决方案:

数据如下所示:

ID    OFFSET    TEXT
1     1         This text is short
2     1         This text is super long and got cut by the database s
2     2000      o it will come out like this
3     1         I'm short too

我一直在尝试使用 csv.DictReader 和 csv.DictWriter。

使用itertools.groupby按 id 分组,然后加入文本:

import itertools
import operator

#dr is the DictRreader
for dbid, rows in itertools.groupby(dr, key=operator.itemgetter('ID')):
    print(dbid, ''.join(row['TEXT'] for row in rows))

groupby 将创建元组,其中元组值是按 ID 列出的 TEXT 项目列表。

txt="""ID,OFFSET,TEXT
1,     1,         This text is short
2,     1,         This text is super long and got cut by the database s
2,     2000,      o it will come out like this
3,     1,         I'm short too
"""

from io import StringIO
f = StringIO(txt)
df = pd.read_table(f,sep =',')

df.set_index('ID',inplace=True)


for my_tuple in df.groupby(df.index)['TEXT']:
    lst=[item.strip() for item in my_tuple[1]]
    print(". ".join(lst))
    print("\n")

输出:

This text is short

This text is super long and got cut by the database s. o it will come out like this

 I'm short too

csv.DictReadercsv.DictWriter用于 CSV 文件,尽管您可能可以让它们读取固定的列描述文件,例如您显示的文件,但这并不是真正必要的,并且会使事情复杂化。

假设记录是有序的,您需要做的就是:

  • 阅读每一行(扔掉第一行)
  • 读取 ID、偏移量和文本(丢弃偏移量)
  • 如果 ID 是新的,则存储从 ID 到文本的映射
  • 如果 ID 不是新的,则附加文本。

Python 可以在没有模块的情况下完成所有这些工作。

这是一个初步的方法:

text="""
ID    OFFSET    TEXT
1     1         This text is short
2     1         This text is super long and got cut by the database s
2     2000      o it will come out like this
3     1         I'm short too
""".strip()

lines = text.splitlines()
columns = lines.pop(0)  # don't need the columns
result = dict()

for line in lines:
    # the maxsplit arg is important to keep all the text
    id, offset, text = line.split(maxsplit=2)
    if id in result:
        result[id] += text
    else:
        result[id] = text

print("Result:")
for id, text in result.items():
    print(f"ID {id} -> '{text}'")

这使用 Python 3.6 f-strings,但如果您愿意,也可以获得相同的结果,例如:

...
    print("ID %s -> '%s'" % (id, text)

无论哪种方式,结果都是:

Result:
ID 1 -> 'This text is short'
ID 2 -> 'This text is super long and got cut by the database so it will come out like this'
ID 3 -> 'I'm short too'

条件检查if id in result是否为“ok”,但您可以使用defaultdict避免它:

from collections import defaultdict

result = defaultdict(str)
for line in lines:
    id, offset, text = line.split(maxsplit=2)
    result[id] += text  # <-- much better

print("Result:")
for id, text in result.items():
    print(f"ID {id} -> '{text}'")

collections包有许多这样的方便的实用程序。

暂无
暂无

声明:本站的技术帖子网页,遵循CC BY-SA 4.0协议,如果您需要转载,请注明本站网址或者原文地址。任何问题请咨询:yoyou2525@163.com.

 
粤ICP备18138465号  © 2020-2024 STACKOOM.COM