查找文本中的数字

时间:2017-08-09 06:52:38

标签: python regex python-3.x

我有一个包含以下内容的文件:

&ACCESS RVP1
&REL 3
&PARAM DISKPATH = KRC:\R1\Program\new
DEF SETUP_WELD()
;call LASER_EN();

$out[27]=false;  START=OFF
$out[26]=false;  STROBE=OFF
$out[25]=false;  SELECT 8=OFF
$out[24]=false;  SELECT 7 =OFF
$out[23]=false;  SELECT 6 =OFF
$out[22]=false;  SELECT 5 =OFF
$out[21]=false;  SELECT 4 =OFF
$out[20]=false;  SELECT 3 =OFF
$out[19]=false;  SELECT 2 =OFF
$out[18]=false;  SELECT 1 =OFF
$out[17]=false;  SELECT 0 =OFF
$out[28]=true;  ENABLE=ON

END

我需要找到括号[]中的值,并将其写入数组。 结果,我应该得到下一个结果:

[ '27', '26','25','24','23','22','21','20','19','18','17','28']

我必须使用Python来做。我对此非常陌生,请你,请给我一个提示,告诉我最合适的方法是什么?

我的想法是这样的:我将文件读入数组,然后我考虑在数组元素中使用搜索:

def reading():
    with open ('Setup_Weld.src') as f:
        array1=[row.strip() for row in f]

但我不知道如何搜索数组元素。

UPD:答案被发现了。工作代码是:

def reading():
    with open ('Setup_Weld.src') as f:
        stripped=[row.strip() for row in f]
        setup_weld_num = [re.search(r'\[(.*?)\]',i).group(1) for i in stripped if re.search(r'\[(.*?)\]',i)]
        print(setup_weld_num)
reading()

3 个答案:

答案 0 :(得分:0)

使用正则表达式

import re
with open(file_name) as file_object:
    data=file_object.read().replace('\n', '')
    re.findall(r"\[(.*?)\]",data)

答案 1 :(得分:0)

尝试正则表达式这就是你想要的,

import re
def reading():
    with open ('Setup_Weld.src') as f:
        stripped=[row.strip() for row in f]
        my_num_list = [re.search(br'\[(.*?)\]',i).group(1) for i in stripped if re.search(br'\[(.*?)\]',i)]
        print(my_num_list)
reading()        

python3输出,

mohideen@botvfx-dev:~/Desktop$ python3 run.py 
[b'27', b'26', b'25', b'24', b'23', b'22', b'21', b'20', b'19', b'18', b'17', b'28']
mohideen@botvfx-dev:~/Desktop$ 

这是我的输出,

here is my output,

答案 2 :(得分:0)

由于格式非常简单,只需使用Python的字符串方法就可以在没有正则表达式的情况下完成。这是你开始的改编:

def reading():
    with open ('Setup_Weld.src') as f:
        array1=[row.strip() for row in f]
        return [line[5:].split(']')[0] for line in array1]

这将删除每一行的前四个字符,然后将该部分保留在右括号之前。

输出:

['27', '26', '25', '24', '23', '22', '21', '20', '19', '18', '17', '28']