我正在尝试比较两个文件并提取具有其他子集的序列。而且,我也想提取标识符。但是,我能做的是能够提取包括子集的序列。示例文件是:
text.fa
>header1
ETTTHAASCISATTVQEQ*TLFRLLP
>header2
SKSPCSDSDY**AAA
>header3
SSGAVAAAPTTA
和
textref.fa
>textref.fa
CISA
AAAP
AATP
当我运行代码时,我有这个输出:
ETTTHAASCISATTVQEQ*TLFRLLP
SSGAVAAAPTTA
但是,我的预期输出是标题:
>header1
ETTTHAASCISATTVQEQ*TLFRLLP
>header3
SSGAVAAAPTTA
我的代码分为两部分,首先我使用这些序列创建文件,然后尝试使用原始fasta文件中的标题提取它们:
def get_nucl(filename):
with open(filename,'r') as fd:
nucl = []
for line in fd:
if line[0]!='>':
nucl.append(line.strip())
return nucl
def finding(filename,reffile):
nucl = get_nucl(filename)
with open(reffile,'r') as reffile2:
for line in reffile2:
for element in nucl:
if line.strip() in element:
yield(element)
with open('sequencesmatched.txt','w') as output:
results = finding('text.fa','textref.fa',)
for res in results:
print(res)
output.write(res + '\n')
因此,在此sequencesmatched.txt
中,我的text.fa
序列的子字符串为textref.fa
。 as:
ETTTHAASCISATTVQEQ*TLFRLLP
SSGAVAAAPTTA
所以在另一部分中,要检索相应的标题和这些序列:
def finding(filename,seqfile):
with open(filename,'r') as fastafile:
with open(seqfile,'r') as sequf:
alls=[]
for line in fastafile:
alls.append(line.strip())
print(alls)
sequfs = []
for line2 in sequf:
sequfs.append(line2.strip())
if str(line.strip()) == str(line2.strip()):
num = alls.index(line.strip())
print(alls[num-1] + line)
print(finding('text.fa','sequencesmatched.txt'))
但是,作为输出,我只能检索一个序列,这是第一个匹配:
>header1
ETTTHAASCISATTVQEQ*TLFRLLP
也许我可以在没有第二个文件的情况下完成它,但我无法制作正确的循环来获取序列及其各自的标题。因此,我走了很长的路。
如果你能提供帮助,我会很高兴的!
答案 0 :(得分:1)
如果您的文件始终具有相同的结构,则可以更轻松地执行某些操作:
def get_nucl(filename):
with open(filename, 'r') as fd:
headers = {}
key = ''
for line in fd.readlines():
if '>' in line:
key = line.strip()[1:] # to remove the '>'
else:
headers[key] = line.strip()
return headers
我假设您的文件以"> headern"开头。无论如何,如果不是,你必须添加一些测试。现在你有一个像headers['header1'] = 'ETTTHAASCISATTVQEQ*TLFRLLP'
这样的词典。
所以现在找到你刚才使用的那些dict:
def finding(filename, reffile):
headers = get_nucl(filename)
with open(reffile, 'r') as f:
matches = {}
for line in f.readlines():
for key, value in headers.items():
if line.stip() in value and key not in matches:
matches[key] = value
return matches
因为当你有一个带有与其值匹配的标题的dict时,你可以只检查dict是否有子字符串,并且你已经将标题值作为键。
刚看到你做了print(finding(....)
,你的功能已打印出来,所以只需要打电话。