我有一个包含很多信息的文本文件。我试图为此寻求一些帮助。我发现有些东西有点相似,但不完全是我想要做的。
我有一个文本文件(如下所示),我要从其中提取前三列的数据到一个数组中。
我是Python的初学者。请帮助解决此问题。
//Text file starts
---------------------------SOFTWARE NAME------------------------------------
I/O Filenames: abc.txt
Variables:______
------------------------------------------------------------------------
Method name.
Coordinates : 0 0
S.No. X(No.) Y(No.) Z(Beta) A(Alpha)
1 3.541 0
2 7.821 180
3 2.160 0
4 4.143 0 3.69 0
5 2.186 0 2.18 0
6 3.490 0 2.45 0
//End of text file
答案 0 :(得分:0)
为此,我将使用软件包csv
import csv #Import the package
with open('/path/to/file.csv') as csvDataFile: #open the csv file
csvReader = csv.reader(csvDataFile,delimiter=';') #load the csv file with the delimiter of your choice, here it is a ;
for row in csvReader:
#do something with the row
我建议您更好地格式化文件,一个不错的选择是:
S.No.;X(No.);Y(No.);Z(Beta);A(Alpha)
1;3.541;0;;
2;7.821;180;;
3;2.160;0;;
4;4.143;0;3.69;0
5;2.186;0;2.18;0
6;3.490;0;2.45;0
这里的a link包含更多信息
答案 1 :(得分:0)
您可以尝试使用re
模块(regex101)提取数据:
import re
from itertools import zip_longest
data = '''
//Text file starts
---------------------------SOFTWARE NAME------------------------------------
I/O Filenames: abc.txt
Variables:______
------------------------------------------------------------------------
Method name.
Coordinates : 0 0
S.No. X(No.) Y(No.) Z(Beta) A(Alpha)
1 3.541 0
2 7.821 180
3 2.160 0
4 4.143 0 3.69 0
5 2.186 0 2.18 0
6 3.490 0 2.45 0
//End of text file
'''
l = [g.split() for g in re.findall(r'^\s+\d+\s+[^\n]+$', data, flags=re.M)]
for v in zip(*zip_longest(*l)):
print(v)
打印:
('1', '3.541', '0', None, None)
('2', '7.821', '180', None, None)
('3', '2.160', '0', None, None)
('4', '4.143', '0', '3.69', '0')
('5', '2.186', '0', '2.18', '0')
('6', '3.490', '0', '2.45', '0')
答案 2 :(得分:0)
使用re
模块提取文本。使用numpy
模块来构造您需要的“数组”。
import re
import numpy as np
text = """
//Text file starts
---------------------------SOFTWARE NAME------------------------------------
I/O Filenames: abc.txt
Variables:______
------------------------------------------------------------------------
Method name.
Coordinates : 0 0
S.No. X(No.) Y(No.) Z(Beta) A(Alpha)
1 3.541 0
2 7.821 180
3 2.160 0
4 4.143 0 3.69 0
5 2.186 0 2.18 0
6 3.490 0 2.45 0
//End of text file
"""
regex = r'(?<=^\s{5})\d\s*[\d\.]*\s*\d*'
matches = [x.split() for x in re.findall(regex, text, flags=re.MULTILINE)]
arr = np.array(matches)
print(arr)
它提供输出:
[['1' '3.541' '0']
['2' '7.821' '180']
['3' '2.160' '0']
['4' '4.143' '0']
['5' '2.186' '0']
['6' '3.490' '0']]