本文整理汇总了Python中cogent.struct.rna2d.Pairs类的典型用法代码示例。如果您正苦于以下问题:Python Pairs类的具体用法?Python Pairs怎么用?Python Pairs使用的例子?那么恭喜您, 这里精选的类代码示例或许可以为您提供帮助。
在下文中一共展示了Pairs类的14个代码示例,这些例子默认根据受欢迎程度排序。您可以为喜欢或者感觉有用的代码点赞,您的评价将有助于系统推荐出更棒的Python代码示例。
示例1: column_parser
def column_parser(lines):
"""Parser column format"""
record = False
result = []
struct = []
seq = ''
for line in lines:
if line.startswith('; ------'): #structure part beginns
record = True
continue
if line.startswith('; ******'): #structure part ends
record = False
struct = adjust_base(struct,-1)
struct = Pairs(struct).directed()#remove duplicates
struct.sort()
result.append([seq,struct])
struct = []
seq = ''
continue
if record:
sline = line.split()
if sline[4] == '.': #skip not paired
seq = ''.join([seq,sline[1]])
continue
seq = ''.join([seq,sline[1]])
pair = (int(sline[3]),int(sline[4])) #(alignpos,align_bp)
struct.append(pair)
return result
示例2: adjust_base
def adjust_base(pairs, offset):
"""Returns new Pairs with values shifted by offset
pairs: Pairs object or list of tuples
offset: integer
Adjusts the base of a pairs object or a list of pairs according to
the given offset.
There's no validation in here! It is possible negative values are
returned -> user responsibility.
This method treats all pairs as equal. It'll return a pairs object
of exactly the same length as the input, including pairs containing
None, and duplicates.
Example: adjust_base(Pairs([(2,8),(4,None)]), 2) --> [(4,10),(6,None)]
"""
if not isinstance(offset, int):
raise PairsAdjustmentError("adjust_base: offset should be integer")
result = Pairs()
for x, y in pairs:
if x is not None:
new_x = x + offset
else:
new_x = x
if y is not None:
new_y = y + offset
else:
new_y = y
result.append((new_x, new_y))
assert len(result) == len(pairs)
return result
示例3: adjust_pairs_from_mapping
def adjust_pairs_from_mapping(pairs, mapping):
"""Returns new Pairs object with numbers adjusted according to map
pairs: list of tuples or Pairs object
mapping: dictionary containing mapping of positions from
one state to the other (e.g. ungapped to gapped)
For example:
{0: 0, 1: 1, 2: 3, 3: 4, 4: 6, 5: 7, 6: 9, 7: 10, 8: 12}
When the Pairs object corresponds to an ungapped sequence and
you want to insert gaps, use a mapping from ungapped to gapped.
When the Pairs object corresponds to a gapped sequence and you
want to degap it, use a mapping from gapped to ungapped.
"""
result = Pairs()
for x,y in pairs:
if x is None:
new_x = None
elif x not in mapping:
continue
else:
new_x = mapping[x]
if y is None:
new_y = None
elif y not in mapping:
continue
else:
new_y = mapping[y]
result.append((new_x, new_y))
return result
示例4: ilm_parser
def ilm_parser(lines=None,pseudo=True):
"""Ilm format parser
Takes lines as input and returns a list with Pairs object.
Pseudo - if True returns pairs with possible pseudoknot
if False removes pseudoknots
"""
pairs = []
for line in lines:
if line.startswith('Final') or len(line)==1:#skip these lines
continue
line = line.strip('\n')
line = map(int,line.split(None,2))
if line[1] == 0:
continue #Skip this line, not a pair
else:
pairs.append(line)
pairs = adjust_base(pairs,-1)
tmp = Pairs(pairs).directed()
tmp.sort()
if not pseudo:
tmp = opt_single_random(tmp)
tmp.sort()
result = []
result.append(tmp)
return result
示例5: test_tuples
def test_tuples(self):
"""Pairs tuples() should transform the elements of list to tuples"""
x = Pairs([])
x.tuples()
assert x == []
x = Pairs([[1,2],[3,4]])
x.tuples()
assert x == [(1,2),(3,4)]
x = Pairs([(1,2),(3,4)])
x.tuples()
assert x == [(1,2),(3,4)]
assert x != [[1,2],[3,4]]
示例6: compare_pairs_mapping
def compare_pairs_mapping(one, other, one_to_other):
"""Returns intersection/union given a mapping from the first pairs to second
Use in case the numbering of the two Pairs object don't correspond.
Sort of aligning two ungapped sequences and comparing their Pairs
object via a mapping.
one: list of tuples or Pairs object
other: list of tuples or Pairs object
one_to_other: mapping of positions in first pairs object to positions
in second pairs object.
For example:
# pos in first seq, base, pos in second seq
#1 U 0
#2 C 1
#3 G 2
#4 A 3
# A 4
#5 C 5
#6 C 6
#7 U
#8 G 7
mapping = {1:0, 2:1, 3:2, 4:3, 5:5, 6:6, 7:None, 8:7}
"""
if not one and not other:
return 1.0
just_in_first = 0
just_in_second = 0
in_both = 0
pairs1 = Pairs(one).directed() #removes duplicates
pairs2 = Pairs(other).directed()
for x,y in pairs1:
other_match = (one_to_other[x],one_to_other[y])
if other_match in pairs2:
in_both += 1
pairs2.remove(other_match)
else:
just_in_first += 1
just_in_second += len(pairs2)
return in_both/(just_in_first + in_both + just_in_second)
示例7: parse_residues
def parse_residues(residue_lines, num_base, unpaired_symbol):
"""Return RnaSequence and Pairs object from residue lines.
residue_lines -- list of lines or anything that behaves like it.
Lines should contain:
residue_position, residue_identiy, residue_partner.
num_base -- int, basis of the residue numbering. In bpseq files from
the CRW website, the numbering starts at 1.
unpaired_symbol -- string, symbol in the 'partner' column that indicates
that a base is unpaired. In bpseq files from the CRW website, the
unpaired_symbol is '0'. This parameter should be a string to allow
other symbols that can't be casted to an integer to indicate
unpaired bases.
Checks for double entries both in the sequence and the structure, and
checks that the structre is valid in the sense that if (up,down) in there,
that (down,up) is the same.
"""
#create dictionary/list for sequence and structure
seq_dict = {}
pairs = Pairs()
for line in residue_lines:
try:
pos, res, partner = line.strip().split()
if partner == unpaired_symbol:
# adjust pos, not partner
pos = int(pos) - num_base
partner = None
else:
# adjust pos and partner
pos = int(pos) - num_base
partner = int(partner) - num_base
pairs.append((pos,partner))
#fill seq_dict
if pos in seq_dict:
raise BpseqParseError(\
"Double entry for residue %s (%s in bpseq file)"\
%(str(pos), str(pos+1)))
else:
seq_dict[pos] = res
except ValueError:
raise BpseqParseError("Failed to parse line: %s"%(line))
#check for conflicts, remove unpaired bases
if pairs.hasConflicts():
raise BpseqParseError("Conflicts in the list of basepairs")
pairs = pairs.directed()
pairs.sort()
# construct sequence from seq_dict
seq = RnaSequence(construct_sequence(seq_dict))
return seq, pairs
示例8: ct_parser
def ct_parser(lines=None):
"""Ct format parser
Takes lines from a ct file as input
Returns a list containing sequence,structure and if available the energy.
[[seq1,[struct1],energy1],[seq2,[struct2],energy2],...]
"""
count = 0
length = ''
energy = None
seq = ''
struct = []
result = []
for line in lines:
count+=1
sline = line.split(None,6) #sline = split line
if count==1 or new_struct(line):#first line or new struct line.
if count > 1:
struct = adjust_base(struct,-1)
struct = Pairs(struct).directed()
struct.sort()
if energy is not None:
result.append([seq,struct,energy])
energy = None
else:
result.append([seq,pairs])
struct = []
seq = ''
#checks if energy for predicted struct is given
if sline.__contains__('dG') or sline.__contains__('ENERGY'):
energy = atof(sline[3])
if sline.__contains__('Structure'):
energy = atof(sline[2])
else:
seq = ''.join([seq,sline[1]])
if not int(sline[4]) == 0:#unpaired base
pair = ( int(sline[0]),int(sline[4]) )
struct.append(pair)
#structs are one(1) based, adjust to zero based
struct = adjust_base(struct,-1)
struct = Pairs(struct).directed()
struct.sort()
if energy is not None:
result.append([seq,struct,energy])
else:
result.append([seq,struct])
return result
示例9: test_toPartners
def test_toPartners(self):
"""Pairs toPartners() should return a Partners object"""
a = Pairs([(1,5),(3,4),(6,9),(7,8)]) #normal
b = Pairs([(0,4),(2,6)]) #pseudoknot
c = Pairs([(1,6),(3,6),(4,5)]) #conflict
self.assertEqual(a.toPartners(10),[None,5,None,4,3,1,9,8,7,6])
self.assertEqual(a.toPartners(13,3),\
[None,None,None,None,8,None,7,6,4,12,11,10,9])
assert isinstance(a.toPartners(10),Partners)
self.assertEqual(b.toPartners(7),[4,None,6,None,0,None,2])
self.assertRaises(ValueError,c.toPartners,7)
self.assertEqual(c.toPartners(7,strict=False),[None,None,None,6,5,4,3])
#raises an error when try to insert something at non-existing indices
self.assertRaises(IndexError,c.toPartners,0)
示例10: insert_gaps_in_pairs
def insert_gaps_in_pairs(pairs, gap_list):
"""Adjusts numbering in pairs according to the gap list.
pairs: Pairs object
gap_list: list of integers, gap positions in a sequence
The main assumptionis that all positions in pairs correspond to
ungapped positions. If this is not true, the result will be meaningless.
"""
if not gap_list:
new = Pairs()
new.extend(pairs)
return new
ungapped = []
for idx in range(max(gap_list)+2):
if idx not in gap_list:
ungapped.append(idx)
new = Pairs()
for x,y in pairs:
if x is not None:
try:
new_x = ungapped[x]
except IndexError:
new_x = ungapped[-1] + (x-len(ungapped)+1)
else:
new_x = x
if y is not None:
try:
new_y = ungapped[y]
except IndexError:
new_y = ungapped[-1] + (y-len(ungapped)+1)
else:
new_y = y
new.append((new_x, new_y))
return new
示例11: delete_gaps_from_pairs
def delete_gaps_from_pairs(pairs, gap_list):
"""Returns Pairs object with pairs adjusted to gap_list
pairs: list of tuples or Pairs object
gap_list: list or array of gapped positions that should be removed
from the pairs object
Base pairs of which one of the partners or both of them are in
the gap list are removed. If both of them are not in the gap_list, the
numbering is adjusted according to the gap_list.
When at least one of the two pair members is in the gap_list, the
pair will be removed. The rest of the structure will be left
intact. Pairs containing None, duplicates, pseudoknots, and
conflicts will be maintained and adjusted according to the gap_list.
"""
if not gap_list:
result = Pairs()
result.extend(pairs)
return result
g = array(gap_list)
result = Pairs()
for up, down in pairs:
if up in g or down in g:
continue
else:
if up is not None:
new_up = up - g.searchsorted(up)
else:
new_up = up
if down is not None:
new_down = down - g.searchsorted(down)
else:
new_down = down
result.append((new_up, new_down))
return result
示例12: test_toVienna
def test_toVienna(self):
"""Pairs toVienna() should return a ViennaStructure if possible"""
a = Pairs([(1,5),(3,4),(6,9),(7,8)]) #normal
b = Pairs([(0,4),(2,6)]) #pseudoknot
c = Pairs([(1,6),(3,6),(4,5)]) #conflict
d = Pairs([(1,6),(3,None)])
e = Pairs([(1,9),(8,2),(7,3)]) #not directed
f = Pairs([(1,6),(2,5),(10,15),(14,11)]) # not directed
self.assertEqual(a.toVienna(10),'.(.())(())')
self.assertEqual(a.toVienna(13,offset=3),'....(.())(())')
self.assertRaises(PairError,b.toVienna,7) #pseudoknot NOT accepted
self.assertRaises(Exception,b.toVienna,7) #old test for exception
self.assertRaises(ValueError,c.toVienna,7)
#pairs containging None are being skipped
self.assertEquals(d.toVienna(7),'.(....)')
#raises error when trying to insert at non-existing indices
self.assertRaises(IndexError,a.toVienna,3)
self.assertEqual(Pairs().toVienna(3),'...')
#test when parsing in the sequence
self.assertEqual(a.toVienna('ACGUAGCUAG'),'.(.())(())')
self.assertEqual(a.toVienna(Rna('AACCGGUUAGCUA'), offset=3),\
'....(.())(())')
self.assertEqual(e.toVienna(10),'.(((...)))')
self.assertEqual(f.toVienna(20),'.((..))...((..))....')
示例13: setUp
def setUp(self):
"""Pairs SetUp method for all tests"""
self.Empty = Pairs([])
self.OneList = Pairs([[1,2]])
self.OneTuple = Pairs([(1,2)])
self.MoreLists = Pairs([[2,4],[3,9],[6,36],[7,49]])
self.MoreTuples = Pairs([(2,4),(3,9),(6,36),(7,49)])
self.MulNoOverlap = Pairs([(1,10),(2,9),(3,7),(4,12)])
self.MulOverlap = Pairs([(1,2),(2,3)])
self.Doubles = Pairs([[1,2],[1,2],[2,3],[1,3]])
self.Undirected = Pairs([(2,1),(6,4),(1,7),(8,3)])
self.UndirectedNone = Pairs([(5,None),(None,3)])
self.UndirectedDouble = Pairs([(2,1),(1,2)])
self.NoPseudo = Pairs([(1,20),(2,19),(3,7),(4,6),(10,15),(11,14)])
self.NoPseudo2 = Pairs([(1,3),(4,6)])
#((.(.)).)
self.p0 = Pairs([(0,6),(1,5),(3,8)])
#(.((..(.).).))
self.p1 = Pairs([(0,9),(2,12),(3,10),(5,7)])
#((.(.(.).)).)
self.p2 = Pairs([(0,10),(1,9),(3,12),(5,7)])
#((.((.(.)).).))
self.p3 = Pairs([(0,9),(1,8),(3,14),(4,13),(6,11)])
#(.(((.((.))).)).(((.((((..))).)))).)
self.p4 = Pairs([(0,35),(2,11),(3,10),(4,9),(6,14),(7,13),(16,28),\
(17,27),(18,26),(20,33),(21,32),(22,31),(23,30)])
#(.((.).))
self.p5 = Pairs([(0,5),(2,8),(3,7)])
self.p6 = Pairs([(0,19),(2,6),(3,5),(8,14),(9,13),(10,12),\
(16,22),(17,21)])
self.p7 = Pairs([(0,20),(2,6),(3,5),(8,14),(9,10),(11,16),(12,15),\
(17,23),(18,22)])
示例14: PairsTests
class PairsTests(TestCase):
"""Tests for Pairs object"""
def setUp(self):
"""Pairs SetUp method for all tests"""
self.Empty = Pairs([])
self.OneList = Pairs([[1,2]])
self.OneTuple = Pairs([(1,2)])
self.MoreLists = Pairs([[2,4],[3,9],[6,36],[7,49]])
self.MoreTuples = Pairs([(2,4),(3,9),(6,36),(7,49)])
self.MulNoOverlap = Pairs([(1,10),(2,9),(3,7),(4,12)])
self.MulOverlap = Pairs([(1,2),(2,3)])
self.Doubles = Pairs([[1,2],[1,2],[2,3],[1,3]])
self.Undirected = Pairs([(2,1),(6,4),(1,7),(8,3)])
self.UndirectedNone = Pairs([(5,None),(None,3)])
self.UndirectedDouble = Pairs([(2,1),(1,2)])
self.NoPseudo = Pairs([(1,20),(2,19),(3,7),(4,6),(10,15),(11,14)])
self.NoPseudo2 = Pairs([(1,3),(4,6)])
#((.(.)).)
self.p0 = Pairs([(0,6),(1,5),(3,8)])
#(.((..(.).).))
self.p1 = Pairs([(0,9),(2,12),(3,10),(5,7)])
#((.(.(.).)).)
self.p2 = Pairs([(0,10),(1,9),(3,12),(5,7)])
#((.((.(.)).).))
self.p3 = Pairs([(0,9),(1,8),(3,14),(4,13),(6,11)])
#(.(((.((.))).)).(((.((((..))).)))).)
self.p4 = Pairs([(0,35),(2,11),(3,10),(4,9),(6,14),(7,13),(16,28),\
(17,27),(18,26),(20,33),(21,32),(22,31),(23,30)])
#(.((.).))
self.p5 = Pairs([(0,5),(2,8),(3,7)])
self.p6 = Pairs([(0,19),(2,6),(3,5),(8,14),(9,13),(10,12),\
(16,22),(17,21)])
self.p7 = Pairs([(0,20),(2,6),(3,5),(8,14),(9,10),(11,16),(12,15),\
(17,23),(18,22)])
def test_init(self):
"""Pairs should initalize with both lists and tuples"""
self.assertEqual(self.Empty,[])
self.assertEqual(self.OneList,[[1,2]])
self.assertEqual(self.OneTuple,[(1,2)])
self.assertEqual(self.MulNoOverlap,[(1,10),(2,9),(3,7),(4,12)])
self.assertEqual(self.MulOverlap,[(1,2),(2,3)])
def test_toPartners(self):
"""Pairs toPartners() should return a Partners object"""
a = Pairs([(1,5),(3,4),(6,9),(7,8)]) #normal
b = Pairs([(0,4),(2,6)]) #pseudoknot
c = Pairs([(1,6),(3,6),(4,5)]) #conflict
self.assertEqual(a.toPartners(10),[None,5,None,4,3,1,9,8,7,6])
self.assertEqual(a.toPartners(13,3),\
[None,None,None,None,8,None,7,6,4,12,11,10,9])
assert isinstance(a.toPartners(10),Partners)
self.assertEqual(b.toPartners(7),[4,None,6,None,0,None,2])
self.assertRaises(ValueError,c.toPartners,7)
self.assertEqual(c.toPartners(7,strict=False),[None,None,None,6,5,4,3])
#raises an error when try to insert something at non-existing indices
self.assertRaises(IndexError,c.toPartners,0)
def test_toVienna(self):
"""Pairs toVienna() should return a ViennaStructure if possible"""
a = Pairs([(1,5),(3,4),(6,9),(7,8)]) #normal
b = Pairs([(0,4),(2,6)]) #pseudoknot
c = Pairs([(1,6),(3,6),(4,5)]) #conflict
d = Pairs([(1,6),(3,None)])
e = Pairs([(1,9),(8,2),(7,3)]) #not directed
f = Pairs([(1,6),(2,5),(10,15),(14,11)]) # not directed
self.assertEqual(a.toVienna(10),'.(.())(())')
self.assertEqual(a.toVienna(13,offset=3),'....(.())(())')
self.assertRaises(PairError,b.toVienna,7) #pseudoknot NOT accepted
self.assertRaises(Exception,b.toVienna,7) #old test for exception
self.assertRaises(ValueError,c.toVienna,7)
#pairs containging None are being skipped
self.assertEquals(d.toVienna(7),'.(....)')
#raises error when trying to insert at non-existing indices
self.assertRaises(IndexError,a.toVienna,3)
self.assertEqual(Pairs().toVienna(3),'...')
#test when parsing in the sequence
self.assertEqual(a.toVienna('ACGUAGCUAG'),'.(.())(())')
self.assertEqual(a.toVienna(Rna('AACCGGUUAGCUA'), offset=3),\
'....(.())(())')
self.assertEqual(e.toVienna(10),'.(((...)))')
self.assertEqual(f.toVienna(20),'.((..))...((..))....')
def test_tuples(self):
"""Pairs tuples() should transform the elements of list to tuples"""
x = Pairs([])
x.tuples()
assert x == []
#.........这里部分代码省略.........