Reputation: 107
I have strings of the following form:
}# => 2[1 HMDB00001 ,2 HMDB00002]
}# => 5[1 HMDB00001 ,2 HMDB00002, 3 HMDB00003 ,4 HMDB00004,5 HMDB00005]
}# => 1[1 HMDB00001]
in a .txt file. I am trying to parse them in python lists using the re.search() with regular expressions, but so far unsuccessful. As u can guess the list should contain elements as follows elements = ["1 HMDB00001", "2 HMDB00002", "3 HMDB00003"]
. Lists are independent from each other. So, when parsing only one line can be taken in consideration (eg. }# => 2[1 HMDB00001 ,2 HMDB00002])
.
Upvotes: 0
Views: 100
Reputation: 5716
Assuming your pattern is exactly: one digit, one space, HMDB
, 5 digits, in that order.
Results are stored in a dict for each line.
import re
matches = {}
with open('my_text_file.txt', 'r') as f:
for num, line in enumerate(f):
matches.update({num: re.findall(r'\d\sHMDB\d{5}', line)})
print(matches)
If HMDB
might differ, you can use r'\d\s[a-zA-Z]{4}\d{5}'
.
Upvotes: 0
Reputation: 30250
This seems to work, but its hard to tell for sure given your question. You may be able to piece together a solution from the answers you get.
import re
strings = [
'}# => 2[1 HMDB00001 ,2 HMDB00002]',
'}# => 5[1 HMDB00001 ,2 HMDB00002, 3 HMDB00003 ,4 HMDB00004,5 HMDB00005]',
'}# => 1[1 HMDB00001]',
]
for s in strings:
mat = re.search(r'\[(.*)\]', s)
elements = map(str.strip, mat.group(1).split(','))
print elements
Which outputs:
['1 HMDB00001', '2 HMDB00002']
['1 HMDB00001', '2 HMDB00002', '3 HMDB00003', '4 HMDB00004', '5 HMDB00005']
['1 HMDB00001']
Upvotes: 0
Reputation: 67988
(?<=[\[,])\s*(\d+ HMDB0+\d+)
Use re.findall
instead.See demo.
https://regex101.com/r/eS7gD7/19#python
import re
p = re.compile(r'(?<=[\[,])\s*(\d+ HMDB0+\d+)', re.IGNORECASE | re.MULTILINE)
test_str = "}# => 2[1 HMDB00001 ,2 HMDB00002]\n}# => 5[1 HMDB00001 ,2 HMDB00002, 3 HMDB00003 ,4 HMDB00004,5 HMDB00005]\n}# => 1[1 HMDB00001]"
re.findall(p, test_str)
Upvotes: 2