Mercurial > repos > earlhaminst > gafa
view GAFA.py @ 2:0c2f9172334a draft
planemo upload for repository https://github.com/TGAC/earlham-galaxytools/tree/master/tools/GAFA/ commit 424b04f764977420ce4d92ebee5929fa18a30efb-dirty
author | earlhaminst |
---|---|
date | Mon, 20 Feb 2017 12:19:21 -0500 |
parents | fc8ca4ade638 |
children | e17a3470c70a |
line wrap: on
line source
from __future__ import print_function import collections import json import optparse import re import sqlite3 version = "0.2.0" Sequence = collections.namedtuple('Sequence', ['header', 'sequence']) def FASTAReader_gen(fasta_filename): fasta_file = open(fasta_filename) line = fasta_file.readline() while True: if not line: return assert line.startswith('>'), "FASTA headers must start with >" header = line.rstrip() sequence_parts = [] line = fasta_file.readline() while line and line[0] != '>': sequence_parts.append(line.rstrip()) line = fasta_file.readline() sequence = "".join(sequence_parts) yield Sequence(header, sequence) FASTA_MATCH_RE = re.compile(r'[^-]') def fasta_aln2cigar(sequence): # Converts each match into M and each gap into D tmp_seq = FASTA_MATCH_RE.sub('M', sequence) tmp_seq = tmp_seq.replace('-', 'D') # Split the sequence in substrings composed by the same letter tmp_seq = tmp_seq.replace('DM', 'D,M') tmp_seq = tmp_seq.replace('MD', 'M,D') cigar_list = tmp_seq.split(',') # Condense each substring, e.g. DDDD in 4D, and concatenate them again cigar = '' for s in cigar_list: if len(s) > 1: cigar += str(len(s)) cigar += s[0] return cigar def create_tables(conn): cur = conn.cursor() cur.execute('PRAGMA foreign_keys = ON') cur.execute('''CREATE TABLE meta ( version VARCHAR)''') cur.execute('INSERT INTO meta (version) VALUES (?)', (version, )) cur.execute('''CREATE TABLE gene_family ( gene_family_id INTEGER PRIMARY KEY, gene_tree VARCHAR NOT NULL)''') cur.execute('''CREATE TABLE gene ( gene_id VARCHAR PRIMARY KEY NOT NULL, gene_symbol VARCHAR, gene_json VARCHAR NOT NULL)''') cur.execute('CREATE INDEX gene_symbol_index ON gene (gene_symbol)') cur.execute('''CREATE TABLE transcript ( transcript_id VARCHAR PRIMARY KEY NOT NULL, protein_id VARCHAR UNIQUE, protein_sequence VARCHAR, gene_id VARCHAR NOT NULL REFERENCES gene(gene_id))''') cur.execute('''CREATE TABLE gene_family_member ( gene_family_id INTEGER NOT NULL REFERENCES gene_family(gene_family_id), protein_id VARCHAR KEY NOT NULL REFERENCES transcript(protein_id), protein_alignment VARCHAR NOT NULL, PRIMARY KEY (gene_family_id, protein_id))''') conn.commit() def align_to_db(conn, i, fname): cur = conn.cursor() for fasta_seq_align in FASTAReader_gen(fname): seq_id = fasta_seq_align.header[1:] # Trim seq_id by removing everything from the first underscore seq_id = seq_id.split('_', 1)[0] cur.execute('SELECT transcript_id, protein_id FROM transcript WHERE transcript_id=? OR protein_id=?', (seq_id, seq_id)) results = cur.fetchall() if len(results) == 0: raise Exception("Sequence id '%s' could not be found among the transcript and protein ids" % seq_id) elif len(results) > 1: raise Exception("Searching sequence id '%s' among the transcript and protein ids returned multiple results" % seq_id) transcript_id, protein_id = results[0] if protein_id is None: print("Skipping transcript '%s' with no protein id" % transcript_id) else: cigar = fasta_aln2cigar(fasta_seq_align.sequence) cur.execute('INSERT INTO gene_family_member (gene_family_id, protein_id, protein_alignment) VALUES (?, ?, ?)', (i, protein_id, cigar)) protein_sequence = fasta_seq_align.sequence.replace('-', '') cur.execute('UPDATE transcript SET protein_sequence=? WHERE protein_id=?', (protein_sequence, protein_id)) conn.commit() def newicktree_to_db(conn, i, fname): with open(fname) as f: tree = f.read().replace('\n', '') cur = conn.cursor() cur.execute('INSERT INTO gene_family (gene_family_id, gene_tree) VALUES (?, ?)', (i, tree)) conn.commit() def gene_json_to_db(conn, fname): with open(fname) as f: all_genes_dict = json.load(f) cur = conn.cursor() for gene_dict in all_genes_dict.values(): gene_id = gene_dict['id'] gene_symbol = gene_dict.get('display_name', None) cur.execute("INSERT INTO gene (gene_id, gene_symbol, gene_json) VALUES (?, ?, ?)", (gene_id, gene_symbol, json.dumps(gene_dict))) if "Transcript" in gene_dict: for transcript in gene_dict["Transcript"]: transcript_id = transcript['id'] if 'Translation' in transcript and 'id' in transcript['Translation']: protein_id = transcript["Translation"]["id"] else: protein_id = None cur.execute("INSERT INTO transcript (transcript_id, protein_id, gene_id) VALUES (?, ?, ?)", (transcript_id, protein_id, gene_id)) conn.commit() def __main__(): parser = optparse.OptionParser() parser.add_option('-t', '--tree', action='append', help='Gene tree files') parser.add_option('-a', '--align', action='append', help='Protein alignments in fasta_aln format') parser.add_option('-g', '--gene', help='Gene features file in JSON format') parser.add_option('-o', '--output', help='Path of the output file') options, args = parser.parse_args() if args: raise Exception('Use options to provide inputs') conn = sqlite3.connect(options.output) create_tables(conn) gene_json_to_db(conn, options.gene) for i, (tree, align) in enumerate(zip(options.tree, options.align), start=1): newicktree_to_db(conn, i, tree) align_to_db(conn, i, align) conn.close() if __name__ == '__main__': __main__()