/usr/share/pyshared/cogent/phylo/nj.py is in python-cogent 1.5.3-2.
This file is owned by root:root, with mode 0o644.
The actual contents of the file can be viewed below.
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 | #!/usr/bin/env python
"""Generalised Neighbour Joining phylogenetic tree estimation.
By default negative branch lengths are reset to 0.0 during the calculations.
This is based on the algorithm of Studier and Keppler, as described in the book
Biological sequence analysis by Durbin et al
Generalised as described by Pearson, Robins & Zhang, 1999.
"""
from __future__ import division
import numpy
from cogent.core.tree import TreeBuilder
from cogent.phylo.tree_collection import ScoredTreeCollection
from cogent.phylo.util import distanceDictTo2D
from cogent.util import progress_display as UI
from collections import deque
__author__ = "Peter Maxwell"
__copyright__ = "Copyright 2007-2012, The Cogent Project"
__credits__ = ["Gavin Huttley", "Peter Maxwell"]
__license__ = "GPL"
__version__ = "1.5.3"
__maintainer__ = "Gavin Huttley"
__email__ = "gavin.huttley@anu.edu.au"
__status__ = "Production"
class LightweightTreeTip(str):
def convert(self, constructor, length):
node = constructor([], str(self), {})
node.Length = max(0.0, length)
return node
class LightweightTreeNode(frozenset):
"""Set of (length, child node) tuples"""
def convert(self, constructor=None, length=None):
if constructor is None:
constructor = TreeBuilder().createEdge
children = [child.convert(constructor, clength)
for (clength, child) in self]
node = constructor(children, None, {})
if length is not None:
node.Length = max(0.0, length)
return node
def __or__(self, other):
return type(self)(frozenset.__or__(self, other))
class PartialTree(object):
"""A candidate tree stored as
(distance matrix, list of subtrees, list of tip sets, set of partitions, score).
At each iteration (ie: call of the join method) the number of subtrees
is reduced as 2 of them are joined, while the number of partitions is
increased as a new edge is introduced.
"""
def __init__(self, d, nodes, tips, score):
self.d = d
self.nodes = nodes
self.tips = tips
self.score = score
def getDistSavedJoinScoreMatrix(self):
d = self.d
L = len(d)
r = numpy.sum(d, 0)
Q = d - numpy.add.outer(r, r)/(L-2.0)
return Q/2.0 + sum(r)/(L-2.0)/2 + self.score
def join(self, i, j):
tips = self.tips[:]
new_tip_set = tips[i] | tips[j]
nodes = self.nodes[:]
d = self.d.copy()
# Branch lengths from i and j to new node
L = len(nodes)
r = numpy.sum(d, axis=0)
ij_dist_diff = (r[i]-r[j]) / (L-2.0)
left_length = 0.5 * (d[i,j] + ij_dist_diff)
right_length = 0.5 * (d[i,j] - ij_dist_diff)
score = self.score + d[i,j]
left_length = max(0.0, left_length)
right_length = max(0.0, right_length)
# Join i and k to make new node
new_node = LightweightTreeNode(
[(left_length, nodes[i]), (right_length, nodes[j])])
# Store new node at i
new_dists = 0.5 * (d[i] + d[j] - d[i,j])
d[:, i] = new_dists
d[i, :] = new_dists
d[i, i] = 0.0
nodes[i] = new_node
tips[i] = new_tip_set
# Eliminate j
d[j, :] = d[L-1, :]
d[:, j] = d[:, L-1]
assert d[j, j] == 0.0, d
d = d[0:L-1, 0:L-1]
nodes[j] = nodes[L-1]
nodes.pop()
tips[j] = tips[L-1]
tips.pop()
return type(self)(d, nodes, tips, score)
def asScoreTreeTuple(self):
assert len(self.nodes) == 3 # otherwise next line needs generalizing
lengths = numpy.sum(self.d, axis=0) - numpy.sum(self.d)/4
root = LightweightTreeNode(zip(lengths, self.nodes))
tree = root.convert()
tree.Name = "root"
return (self.score + sum(lengths), tree)
class Pair(object):
"""A candidate neighbour join, not turned into an actual PartialTree until
and unless we decide to use it, because calculating just the topology is
faster than calculating the whole new distance matrix etc. as well."""
__slots__ = ['tree', 'i', 'j', 'topology', 'new_partition']
def __init__(self, tree, i, j, topology, new_partition):
self.tree = tree
self.i = i
self.j = j
self.topology = topology
self.new_partition = new_partition
def joined(self):
new_tree = self.tree.join(self.i,self.j)
new_tree.topology = self.topology
return new_tree
def uniq_neighbour_joins(trees, encode_partition):
"""Generate all joinable pairs from all trees, best first,
filtering out any duplicates"""
L = len(trees[0].nodes)
scores = numpy.zeros([len(trees), L, L])
for (k, tree) in enumerate(trees):
scores[k] = tree.getDistSavedJoinScoreMatrix()
topologies = set()
order = numpy.argsort(scores.flat)
for index in order:
(k, ij) = divmod(index, L*L)
(i, j) = divmod(ij, L)
if i == j:
continue
tree = trees[k]
new_tip_set = tree.tips[i] | tree.tips[j]
new_partition = encode_partition(new_tip_set)
# check is new topology
topology = tree.topology | frozenset([new_partition])
if topology in topologies:
continue
yield Pair(tree, i, j, topology, new_partition)
topologies.add(topology)
@UI.display_wrap
def gnj(dists, keep=None, dkeep=0, ui=None):
"""Arguments:
- dists: dict of (name1, name2): distance
- keep: number of best partial trees to keep at each iteration,
and therefore to return. Same as Q parameter in original GNJ paper.
- dkeep: number of diverse partial trees to keep at each iteration,
and therefore to return. Same as D parameter in original GNJ paper.
Result:
- a sorted list of (tree length, tree) tuples
"""
(names, d) = distanceDictTo2D(dists)
if keep is None:
keep = len(names) * 5
all_keep = keep + dkeep
# For recognising duplicate topologies, encode partitions (ie: edges) as
# frozensets of tip names, which should be quickly comparable.
arbitrary_anchor = names[0]
all_tips = frozenset(names)
def encode_partition(tips):
included = frozenset(tips)
if arbitrary_anchor not in included:
included = all_tips - included
return included
# could also convert to long int, or cache, would be faster?
tips = [frozenset([n]) for n in names]
nodes = [LightweightTreeTip(name) for name in names]
star_tree = PartialTree(d, nodes, tips, 0.0)
star_tree.topology = frozenset([])
trees = [star_tree]
# Progress display auxiliary code
template = ' size %%s/%s trees %%%si' % (len(names), len(str(all_keep)))
total_work = 0
max_candidates = 1
total_work_before = {}
for L in range(len(names), 3, -1):
total_work_before[L] = total_work
max_candidates = min(all_keep, max_candidates*L*(L-1)//2)
total_work += max_candidates
def _show_progress():
t = len(next_trees)
work_done = total_work_before[L] + t
ui.display(msg=template % (L, t), progress=work_done/total_work)
for L in range(len(names), 3, -1):
# Generator of candidate joins, best first.
# Note that with dkeep>0 this generator is used up a bit at a time
# by 2 different interupted 'for' loops below.
candidates = uniq_neighbour_joins(trees, encode_partition)
# First take up to 'keep' best ones
next_trees = []
_show_progress()
for pair in candidates:
next_trees.append(pair)
if len(next_trees) == keep:
break
_show_progress()
# The very best one is used as an anchor for measuring the
# topological distance to others
best_topology = next_trees[0].topology
prior_td = [len(best_topology ^ tree.topology) for tree in trees]
# Maintain a separate queue of joins for each possible
# topological distance
max_td = (max(prior_td) + 1) // 2
queue = [deque() for g in range(max_td+1)]
queued = 0
# Now take up to dkeep joins, an equal number of the best at each
# topological distance, while not calculating any more TDs than
# necessary.
prior_td = dict(zip(map(id, trees), prior_td))
target_td = 1
while (candidates or queued) and len(next_trees) < all_keep:
if candidates and not queue[target_td]:
for pair in candidates:
diff = pair.new_partition not in best_topology
td = (prior_td[id(pair.tree)] + [-1,+1][diff]) // 2
# equiv, slower: td = len(best_topology ^ topology) // 2
queue[td].append(pair)
queued += 1
if td == target_td:
break
else:
candidates = None
if queue[target_td]:
next_trees.append(queue[target_td].popleft())
queued -= 1
_show_progress()
target_td = target_td % max_td + 1
trees = [pair.joined() for pair in next_trees]
result = [tree.asScoreTreeTuple() for tree in trees]
result.sort()
return ScoredTreeCollection(result)
def nj(dists, no_negatives=True):
"""Arguments:
- dists: dict of (name1, name2): distance
- no_negatives: negative branch lengths will be set to 0
"""
assert no_negatives, "no_negatives=False is deprecated"
(result,) = gnj(dists, keep=1)
(score, tree) = result
return tree
|