Extract and get value from a text file python

16k Views Asked by At

I have executed ssh commands in remote machine using paramiko library and written output to text file. Now, I want to extract few values from a text file. The output of a text file looks as pasted below

b'\nMS Administrator\n(C) Copyright 2006-2016 LP\n\n[MODE]> SHOW INFO\n\n\nMode: \nTrusted Certificates\n1 Details\n------------\n\tDeveloper ID: MS-00c1\n\tTester ID: ms-00B1\n\tValid from: 2030-01-29T06:51:15Z\n\tValid until: 2030-01-30T06:51:15Z\n\t

how do i get the value of Developer ID and Tester ID. The file is huge.

As suggested by users I have written the snippet below.

file = open("Output.txt").readlines()
for lines in file:
    word = re.findall('Developer\sID:\s(.*)\n', lines)[0]
    print(word)

I see the error IndexError: list index out of range If i remove the index. I see empty output

3

There are 3 best solutions below

4
On
file = open("Output.txt").readlines()
developer_id=""

for lines in file:
    if 'Developer ID' in line:                                                                                         
        developer_id = line.split(":")[-1].strip()                                                                     

print developer_id
0
On

You can use Regular expressions

text = """\nMS Administrator\n(C) Copyright 2006-2016 LP\n\n[MODE]> SHOW INFO\n\n\nMode: \nTrusted Certificates\n1 Details\n------------\n\tDeveloper ID: MS-00c1\n\tTester ID: ms-00B1\n\tValid from: 2030-01-29T06:51:15Z\n\tValid until: 2030-01-30T06:51:15Z\n\t"""
import re
developerID = re.match("Developer ID:(.+)\\n", text).group(0)
testerID = re.match("Tester ID:(.+)\\n", text).group(0)
0
On

If your output is consistent in format, you can use something as easy as line.split():

developer_id = line.split('\n')[11].lstrip()
tester_id = line.split('\n')[12].lstrip()

Again, this assumes that every line is using the same formatting. Otherwise, use regex as suggested above.