Skip to content
Open
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
187 changes: 187 additions & 0 deletions tranception/utils/msa_utils.py
Original file line number Diff line number Diff line change
Expand Up @@ -356,6 +356,193 @@ def compute_weight(seq):
for i,seq_name in enumerate(self.seq_name_to_sequence.keys()):
self.seq_name_to_weight[seq_name]=self.weights[i]

if verbose:
print ("Neff =",str(self.Neff))
print ("Data Shape =",self.one_hot_encoding.shape)

class Fast_MSA_processing:
def __init__(self,
MSA_location="",
theta=0.2,
use_weights=True,
weights_location="./data/weights",
preprocess_MSA=True,
threshold_sequence_frac_gaps=0.5,
threshold_focus_cols_frac_gaps=0.3,
remove_sequences_with_indeterminate_AA_in_focus_cols=True
):

"""
Faster MSA processing
Instead of comparing each sequence to each other in the original code
we parallelize for faster speed but we need more memory
the memory use can be adjusted by changing the number of sequences in the subarray
this code will not work if there is fully empty sequences in the msa

This MSA_processing class is directly borrowed from the EVE codebase: https://github.com/OATML-Markslab/EVE

Parameters:
- msa_location: (path) Location of the MSA data. Constraints on input MSA format:
- focus_sequence is the first one in the MSA data
- first line is structured as follows: ">focus_seq_name/start_pos-end_pos" (e.g., >SPIKE_SARS2/310-550)
- corespondding sequence data located on following line(s)
- then all other sequences follow with ">name" on first line, corresponding data on subsequent lines
- theta: (float) Sequence weighting hyperparameter. Generally: Prokaryotic and eukaryotic families = 0.2; Viruses = 0.01
- use_weights: (bool) If False, sets all sequence weights to 1. If True, checks weights_location -- if non empty uses that;
otherwise compute weights from scratch and store them at weights_location
- weights_location: (path) Location to load from/save to the sequence weights
- preprocess_MSA: (bool) performs pre-processing of MSA to remove short fragments and positions that are not well covered.
- threshold_sequence_frac_gaps: (float, between 0 and 1) Threshold value to define fragments
- sequences with a fraction of gap characters above threshold_sequence_frac_gaps are removed
- default is set to 0.5 (i.e., fragments with 50% or more gaps are removed)
- threshold_focus_cols_frac_gaps: (float, between 0 and 1) Threshold value to define focus columns
- positions with a fraction of gap characters above threshold_focus_cols_pct_gaps will be set to lower case (and not included in the focus_cols)
- default is set to 0.3 (i.e., focus positions are the ones with 30% of gaps or less, i.e., 70% or more residue occupancy)
- remove_sequences_with_indeterminate_AA_in_focus_cols: (bool) Remove all sequences that have indeterminate AA (e.g., B, J, X, Z) at focus positions of the wild type
"""
np.random.seed(2021)
self.MSA_location = MSA_location
self.weights_location = weights_location
self.theta = theta
self.alphabet = "ACDEFGHIKLMNPQRSTVWY"
self.use_weights = use_weights
self.preprocess_MSA = preprocess_MSA
self.threshold_sequence_frac_gaps = threshold_sequence_frac_gaps
self.threshold_focus_cols_frac_gaps = threshold_focus_cols_frac_gaps
self.remove_sequences_with_indeterminate_AA_in_focus_cols = remove_sequences_with_indeterminate_AA_in_focus_cols

self.gen_alignment(verbose=True)

def gen_alignment(self, verbose=False):
""" Read training alignment and store basics in class instance """
self.aa_dict = {}
for i,aa in enumerate(self.alphabet):
self.aa_dict[aa] = i

self.seq_name_to_sequence = defaultdict(str)
name = ""
with open(self.MSA_location, "r") as msa_data:
for i, line in enumerate(msa_data):
line = line.rstrip()
if line.startswith(">"):
name = line
if i==0:
self.focus_seq_name = name
else:
self.seq_name_to_sequence[name] += line


## MSA pre-processing to remove inadequate columns and sequences
if self.preprocess_MSA:
msa_df = pd.DataFrame.from_dict(self.seq_name_to_sequence, orient='index', columns=['sequence'])
# Data clean up
msa_df.sequence = msa_df.sequence.apply(lambda x: x.replace(".","-")).apply(lambda x: ''.join([aa.upper() for aa in x]))
# Remove columns that would be gaps in the wild type
non_gap_wt_cols = [aa!='-' for aa in msa_df.sequence[self.focus_seq_name]]
msa_df['sequence'] = msa_df['sequence'].apply(lambda x: ''.join([aa for aa,non_gap_ind in zip(x, non_gap_wt_cols) if non_gap_ind]))
assert 0.0 <= self.threshold_sequence_frac_gaps <= 1.0,"Invalid fragment filtering parameter"
assert 0.0 <= self.threshold_focus_cols_frac_gaps <= 1.0,"Invalid focus position filtering parameter"
msa_array = np.array([list(seq) for seq in msa_df.sequence])
gaps_array = np.array(list(map(lambda seq: [aa=='-' for aa in seq], msa_array)))
# Identify fragments with too many gaps
seq_gaps_frac = gaps_array.mean(axis=1)
seq_below_threshold = seq_gaps_frac <= self.threshold_sequence_frac_gaps
if verbose: print("Proportion of sequences dropped due to fraction of gaps: "+str(round(float(1 - seq_below_threshold.sum()/seq_below_threshold.shape)*100,2))+"%")
# Identify focus columns
columns_gaps_frac = gaps_array[seq_below_threshold].mean(axis=0)
index_cols_below_threshold = columns_gaps_frac <= self.threshold_focus_cols_frac_gaps
if verbose: print("Proportion of non-focus columns removed: "+str(round(float(1 - index_cols_below_threshold.sum()/index_cols_below_threshold.shape)*100,2))+"%")
# Lower case non focus cols and filter fragment sequences
msa_df['sequence'] = msa_df['sequence'].apply(lambda x: ''.join([aa.upper() if upper_case_ind else aa.lower() for aa, upper_case_ind in zip(x, index_cols_below_threshold)]))
msa_df = msa_df[seq_below_threshold]
# Overwrite seq_name_to_sequence with clean version
self.seq_name_to_sequence = defaultdict(str)
for seq_idx in range(len(msa_df['sequence'])):
self.seq_name_to_sequence[msa_df.index[seq_idx]] = msa_df.sequence[seq_idx]

self.focus_seq = self.seq_name_to_sequence[self.focus_seq_name]
self.focus_cols = [ix for ix, s in enumerate(self.focus_seq) if s == s.upper() and s!='-']
self.focus_seq_trimmed = [self.focus_seq[ix] for ix in self.focus_cols]
self.seq_len = len(self.focus_cols)
self.alphabet_size = len(self.alphabet)

# Connect local sequence index with uniprot index (index shift inferred from 1st row of MSA)
focus_loc = self.focus_seq_name.split("/")[-1]
start,stop = focus_loc.split("-")
self.focus_start_loc = int(start)
self.focus_stop_loc = int(stop)
self.uniprot_focus_col_to_wt_aa_dict \
= {idx_col+int(start):self.focus_seq[idx_col] for idx_col in self.focus_cols}
self.uniprot_focus_col_to_focus_idx \
= {idx_col+int(start):idx_col for idx_col in self.focus_cols}

# Move all letters to CAPS; keeps focus columns only
self.raw_seq_name_to_sequence = self.seq_name_to_sequence.copy()
for seq_name,sequence in self.seq_name_to_sequence.items():
sequence = sequence.replace(".","-")
self.seq_name_to_sequence[seq_name] = [sequence[ix].upper() for ix in self.focus_cols]

# Remove sequences that have indeterminate AA (e.g., B, J, X, Z) in the focus columns
if self.remove_sequences_with_indeterminate_AA_in_focus_cols:
alphabet_set = set(list(self.alphabet))
seq_names_to_remove = []
for seq_name,sequence in self.seq_name_to_sequence.items():
for letter in sequence:
if letter not in alphabet_set and letter != "-":
seq_names_to_remove.append(seq_name)
continue
seq_names_to_remove = list(set(seq_names_to_remove))
for seq_name in seq_names_to_remove:
del self.seq_name_to_sequence[seq_name]

# Encode the sequences
self.one_hot_encoding = np.zeros((len(self.seq_name_to_sequence.keys()),len(self.focus_cols),len(self.alphabet)))
if verbose: print("One-hot encoded sequences shape:" + str(self.one_hot_encoding.shape))
for i,seq_name in enumerate(self.seq_name_to_sequence.keys()):
sequence = self.seq_name_to_sequence[seq_name]
for j,letter in enumerate(sequence):
if letter in self.aa_dict:
k = self.aa_dict[letter]
self.one_hot_encoding[i,j,k] = 1.0

if self.use_weights:
try:
self.weights = np.load(file=self.weights_location)
if verbose: print("Loaded sequence weights from disk")
except FileNotFoundError:
if verbose: print ("Computing sequence weights")
ohe = self.one_hot_encoding.astype('float16')
ohe = ohe.reshape((ohe.shape[0], ohe.shape[1] * ohe.shape[2]))
nb_seq = ohe.shape[0]
sub_array_nb = (nb_seq // 5000) + 1 # change 5000 to optimize memory vs speed
start_ind = 0
denoms = []
for i, sub_array in enumerate(np.array_split(ohe, sub_array_nb, axis=0)):
# sub array shape (sub_arr_seq, oh_enc)
sub_denom = np.dot(ohe, sub_array.T) # output shape (nb_seq, nb_seq)
non_empty_positions = sub_denom.diagonal(-start_ind)
non_empty_positions = np.repeat(non_empty_positions[None, :], sub_denom.shape[0], 0)
sub_denom = sub_denom / non_empty_positions
sub_denom = sub_denom > 1 - self.theta
sub_denom = np.sum(sub_denom, axis=0)
start_ind += len(sub_array)
assert len(sub_denom) == sub_array.shape[0]
denoms.extend(sub_denom)
w = np.array(denoms)
self.weights = 1/w
assert len(self.weights) == nb_seq
np.save(file=self.weights_location, arr=self.weights)
else:
# If not using weights, use an isotropic weight matrix
if verbose: print("Not weighting sequence data")
self.weights = np.ones(self.one_hot_encoding.shape[0])

self.Neff = np.sum(self.weights)
self.num_sequences = self.one_hot_encoding.shape[0]
self.seq_name_to_weight={}
for i,seq_name in enumerate(self.seq_name_to_sequence.keys()):
self.seq_name_to_weight[seq_name]=self.weights[i]

if verbose:
print ("Neff =",str(self.Neff))
print ("Data Shape =",self.one_hot_encoding.shape)