我有几个.txt文件,我需要从中提取某些数据。文件看起来很相似,但每个文件都存储不同的数据。以下是该文件的示例:
Start Date: 21/05/2016
Format: TIFF
Resolution: 300dpi
Source: X Company
...
文本文件中有更多信息,但我需要提取开始日期,格式和分辨率。文件位于同一个父目录中(" E:\ Images")但每个文件都有自己的文件夹。因此我需要一个脚本来递归读取这些文件。到目前为止,这是我的脚本:
#importing a library
import os
#defining location of parent folder
BASE_DIRECTORY = 'E:\Images'
#scanning through subfolders
for dirpath, dirnames, filenames in os.walk(BASE_DIRECTORY):
for filename in filenames:
#defining file type
txtfile=open(filename,"r")
txtfile_full_path = os.path.join(dirpath, filename)
try:
for line in txtfile:
if line.startswidth('Start Date:'):
start_date = line.split()[-1]
elif line.startswidth('Format:'):
data_format = line.split()[-1]
elif line.startswidth('Resolution:'):
resolution = line.split()[-1]
print(
txtfile_full_path,
start_date,
data_format,
resolution)
理想情况下,如果Python将其与ech文件的名称一起提取并将其保存在文本文件中可能会更好。因为我没有太多的Python经验,所以我不知道如何进一步发展。
答案 0 :(得分:1)
以下是我使用的代码:
# importing libraries
import os
# defining location of parent folder
BASE_DIRECTORY = 'E:\Images'
output_file = open('output.txt', 'w')
output = {}
file_list = []
# scanning through sub folders
for (dirpath, dirnames, filenames) in os.walk(BASE_DIRECTORY):
for f in filenames:
if 'txt' in str(f):
e = os.path.join(str(dirpath), str(f))
file_list.append(e)
for f in file_list:
print f
txtfile = open(f, 'r')
output[f] = []
for line in txtfile:
if 'Start Date:' in line:
output[f].append(line)
elif 'Format' in line:
output[f].append(line)
elif 'Resolution' in line:
output[f].append(line)
tabs = []
for tab in output:
tabs.append(tab)
tabs.sort()
for tab in tabs:
output_file.write(tab + '\n')
output_file.write('\n')
for row in output[tab]:
output_file.write(row + '')
output_file.write('\n')
output_file.write('----------------------------------------------------------\n')
raw_input()
答案 1 :(得分:0)
您不需要正则表达式。您可以使用 基本字符串函数:
txtfile=open(filename,"r")
for line in txtfile:
if line.startswidth("Start Date:"):
start_date = line.split()[-1]
...
如果您收集了所有信息,请 break
。
答案 2 :(得分:0)
要抓住Start Date
,您可以使用以下正则表达式:
^(?:Start Date:)\D*(\d+/\d+/\d+)$
# ^ anchor the regex to the start of the line
# capture the string "Start Date:" in a group
# followed by non digits zero or unlimited times
# followed by a group with the start date in it
在Python
中,这将是:
import re
regex = r"^(?:Start Date:)\D*(\d+/\d+/\d+)$"
# the variable line points to your line in the file
if re.search(regex, line):
# do sth. useful here