#!/usr/bin/env python3 # -*- coding: utf-8 -*- import re import bioblend import argparse import os import logging import sys import time import json import yaml import subprocess from bioblend import galaxy from bioblend.galaxy.objects import GalaxyInstance import utilities import speciesData import constants """ gga_load_data.py Usage: $ python3 gga_load_data.py -i input_example.yml --config config.yml [OPTIONS] Do not call this script before the galaxy container is ready """ class LoadData(speciesData.SpeciesData): """ Child of SpeciesData Contains methods and attributes to copy data into the galaxy instance's library of this given organism Optional data file formatting """ def __init__(self, parameters_dictionary): self.existing_folders_cache = {} self.bam_metadata_cache = {} super().__init__(parameters_dictionary) def get_history(self): """ Create or set the working history to the current species one :return: """ try: histories = self.instance.histories.get_histories(name=str(self.genus_species)) if len(histories) == 1: self.history_id = histories[0]["id"] logging.debug("History ID set for {0} {1}: {2}".format(self.genus, self.species, self.history_id)) else: logging.critical("Multiple histories exists for {1}: {2}".format(self.genus, self.species)) except IndexError: logging.info("Creating history for {0} {1}".format(self.genus, self.species)) hist_dict = self.instance.histories.create_history(name=str(self.genus_species)) self.history_id = hist_dict["id"] logging.debug("History ID set for {0} {1}: {2}".format(self.genus, self.species, self.history_id)) return self.history_id def remove_homo_sapiens_from_db(self): """ Run the GMOD tool to remove the "Homo sapiens" default organism from the original database Will do nothing if H. sapiens isn't in the database """ logging.debug("Getting 'Homo sapiens' ID in chado database") get_sapiens_id_json_output = utilities.run_tool_and_download_single_output_dataset( self.instance, tool_id=constants.GET_ORGANISMS_TOOL, # If this version if not found, Galaxy will use the one that is found history_id=self.history_id, tool_inputs={"genus": "Homo", "species": "sapiens"}) logging.info("Deleting Homo 'sapiens' in the instance's chado database") try: get_sapiens_id_final_output = json.loads(get_sapiens_id_json_output)[0] sapiens_id = str(get_sapiens_id_final_output["organism_id"]) # needs to be str to be recognized by the chado tool utilities.run_tool( self.instance, tool_id=constants.DELETE_ORGANISMS_TOOL, history_id=self.history_id, tool_inputs={"organism": sapiens_id}) except IndexError: logging.error("Homo sapiens isn't in the instance's chado database (IndexError)") pass def purge_histories(self): """ Delete all histories in the instance For testing purposes :return: """ histories = self.instance.histories.get_histories() for h in histories: self.instance.histories.delete_history(history_id=h["id"]) return histories def setup_library(self): """ Create a "Project Data" library in galaxy, mirroring the "src_data" folder of the current organism directory tree :return: """ data_dir_root=os.path.join(self.get_species_dir(), constants.HOST_DATA_DIR) gio = GalaxyInstance(url=self.instance_url, email=self.config[constants.CONF_GALAXY_DEFAULT_ADMIN_EMAIL], password=self.config[constants.CONF_GALAXY_DEFAULT_ADMIN_PASSWORD] ) logging.info("Looking for project data in %s" % data_dir_root) folders = dict() post_renaming = {} for root, dirs, files in os.walk(data_dir_root, followlinks=True): file_list = [os.path.join(root, filename) for filename in files] folders[root] = file_list if folders: # Delete pre-existing lib (probably created by a previous call) existing = gio.libraries.get_previews(name=constants.GALAXY_LIBRARY_NAME) for lib in existing: if not lib.deleted: logging.info('Pre-existing {0} library {1}} found, removing it'.format(constants.GALAXY_LIBRARY_NAME, lib.id)) gio.libraries.delete(lib.id) logging.info("Creating new %s library" % constants.GALAXY_LIBRARY_NAME) prj_lib = gio.libraries.create(constants.GALAXY_LIBRARY_NAME, constants.GALAXY_LIBRARY_DESC) self.library_id = prj_lib.id # project data folder/library logging.info("Library for {0}: {1}".format(self.full_name, self.library_id)) for fname, files in folders.items(): if fname and files: folder_name = re.sub(data_dir_root + "/", "", fname) logging.info("Creating folder: %s" % folder_name) folder = self.create_deep_folder(prj_lib, folder_name) for single_file in files: ftype = 'auto' clean_name = os.path.basename(single_file) clean_name = clean_name.replace('_', ' ') # Not a good idea for files with a complex name (solution --> rename file or remove the replace) if single_file.endswith('.bam'): ftype = 'bam' bam_label = self.get_bam_label(fname, os.path.basename(single_file)) if bam_label: clean_name = bam_label else: clean_name = os.path.splitext(clean_name)[0] if clean_name.endswith("Aligned.sortedByCoord.out"): # Stupid thing for many local bam files clean_name = clean_name[:-25] elif single_file.endswith('.fasta') or single_file.endswith('.fa') or single_file.endswith( '.faa') or single_file.endswith('.fna'): ftype = 'fasta' elif single_file.endswith('.gff') or single_file.endswith('.gff3'): ftype = 'gff3' clean_name = os.path.splitext(clean_name)[0] elif single_file.endswith('.xml'): ftype = 'xml' elif single_file.endswith('.bw'): ftype = 'bigwig' elif single_file.endswith('.gaf'): ftype = 'tabular' elif single_file.endswith('_tree.txt'): # We don't want to pollute the logs with 20000 useless lines logging.debug("Skipping useless file '%s'" % single_file) continue elif single_file.endswith('.tar.gz') and 'newick' in fname: ftype = 'tar' elif single_file.endswith('.bai') or single_file.endswith('.tar.gz') or single_file.endswith( '.tar.bz2') or single_file.endswith('.raw') or single_file.endswith('.pdf'): logging.info("Skipping useless file '%s'" % single_file) continue single_file_relative_path = re.sub(data_dir_root, constants.CONTAINER_DATA_DIR_ROOT, single_file) single_file_path_in_container=os.path.join(constants.CONTAINER_DATA_DIR_ROOT, single_file_relative_path) logging.info("Adding file '%s' with type '%s' and name '%s'" % (single_file_path_in_container, ftype, clean_name)) datasets = prj_lib.upload_from_galaxy_fs( single_file_path_in_container, folder=folder, link_data_only='link_to_files', file_type=ftype, tag_using_filenames=False ) # Rename dataset # Need to do it AFTER the datasets import is finished, otherwise the new names are not kept by galaxy # (erased by metadata generation I guess) # Doesn't work for some reason (LibraryDataset not subscriptable, __getitem__() not implemented) # post_renaming[datasets[0]] = clean_name time.sleep(1) # # Wait for uploads to complete # logging.info("Waiting for import jobs to finish... please wait") # # # Checking job state (only necessary if ran using SLURM) # while True: # try: # # "C" state means the job is completed, no need to wait for it # ret = subprocess.check_output("squeue | grep -v \"C debug\" | grep -v \"JOBID\" || true", # shell=True) # if not len(ret): # break # time.sleep(3) # except subprocess.CalledProcessError as inst: # if inst.returncode == 153: # queue is empty # break # else: # raise # # time.sleep(10) # Batch renaming --> Throws a critical error at the moment # logging.info("Import finished, now renaming datasets with pretty names") # for dataset in post_renaming: # dataset.update(name=post_renaming[dataset]) logging.info("Finished importing data") def create_deep_folder(self, prj_lib, path, parent_folder=None, deep_name=""): """ Create a folder inside a folder in a galaxy library Recursive :param prj_lib: :param path: :param parent_folder: :param deep_name: :return: """ segments = path.split(os.sep) deeper_name = os.sep.join([deep_name, segments[0]]) if deeper_name in self.existing_folders_cache: new_folder = self.existing_folders_cache[deeper_name] else: new_folder = prj_lib.create_folder(segments[0], base_folder=parent_folder) self.existing_folders_cache[deeper_name] = new_folder if len(segments) > 1: new_folder = self.create_deep_folder(prj_lib, os.sep.join(segments[1:]), new_folder, deeper_name) return new_folder def get_bam_label(self, dirname, bam_file): bam_id = bam_file if bam_id.endswith('.bam'): bam_id = bam_id[:-4] if dirname in self.bam_metadata_cache: if bam_id in self.bam_metadata_cache[dirname] and 'label' in self.bam_metadata_cache[dirname][bam_id] and self.bam_metadata_cache[dirname][bam_id]['label']: return self.bam_metadata_cache[dirname][bam_id]['label'] else: return None else: meta_file = os.path.join(dirname, 'metadata.yml') if os.path.exists(meta_file): with open(meta_file) as f: self.bam_metadata_cache[dirname] = yaml.safe_load(f) logging.info("Found metadata in %s " % meta_file) else: self.bam_metadata_cache[dirname] = {} logging.info("Did not find metadata in %s " % meta_file) return self.get_bam_label(dirname, bam_file) def set_galaxy_instance(self): """ Test the connection to the galaxy instance for the current organism Exit if we cannot connect to the instance """ logging.info("Connecting to the galaxy instance (%s)" % self.instance_url) self.instance = galaxy.GalaxyInstance(url=self.instance_url, email=self.config[constants.CONF_GALAXY_DEFAULT_ADMIN_EMAIL], password=self.config[constants.CONF_GALAXY_DEFAULT_ADMIN_PASSWORD] ) try: self.instance.histories.get_histories() except bioblend.ConnectionError: logging.critical("Cannot connect to galaxy instance (%s) " % self.instance_url) sys.exit() else: logging.info("Successfully connected to galaxy instance (%s) " % self.instance_url) return self.instance if __name__ == "__main__": parser = argparse.ArgumentParser(description="Load data into Galaxy library") parser.add_argument("input", type=str, help="Input file (yml)") parser.add_argument("-v", "--verbose", help="Increase output verbosity", action="store_true") parser.add_argument("--config", type=str, help="Config path, default to 'examples/config.yml'") parser.add_argument("--main-directory", type=str, help="Where the stack containers will be located, defaults to working directory") args = parser.parse_args() if args.verbose: logging.basicConfig(level=logging.DEBUG) else: logging.basicConfig(level=logging.INFO) # Parsing the config file if provided, using the default config otherwise if args.config: config_file = os.path.abspath(args.config) else: config_file = os.path.join(os.path.dirname(os.path.realpath(sys.argv[0])), constants.DEFAULT_CONFIG) config = utilities.parse_config(config_file) main_dir = None if not args.main_directory: main_dir = os.getcwd() else: main_dir = os.path.abspath(args.main_directory) sp_dict_list = utilities.parse_input(args.input) unique_sp_dict_list = utilities.get_unique_species_dict_list(sp_dict_list=sp_dict_list) for sp_dict in unique_sp_dict_list: # Creating an instance of load_data_for_current_species object load_data_for_current_species = LoadData(parameters_dictionary=sp_dict) # Starting logging.info("gga_load_data.py called for {0} {1}".format(load_data_for_current_species.genus, load_data_for_current_species.species)) # Setting some of the instance attributes load_data_for_current_species.main_dir = main_dir load_data_for_current_species.species_dir = os.path.join(load_data_for_current_species.main_dir, load_data_for_current_species.genus_species + "/") # Parse the config yaml file load_data_for_current_species.config = config # Set the instance url attribute -- Does not work with localhost on scratch (ALB) load_data_for_current_species.instance_url = "http://localhost:{0}/sp/{1}/galaxy/".format( load_data_for_current_species.config[constants.CONF_ALL_HTTP_PORT], load_data_for_current_species.genus_species) # Check the galaxy container state and proceed if the galaxy services are up and running if utilities.check_galaxy_state(network_name=load_data_for_current_species.genus_species, script_dir=load_data_for_current_species.script_dir): # Create the Galaxy instance load_data_for_current_species.instance = load_data_for_current_species.set_galaxy_instance() # Load the datasets into a galaxy library logging.info("Setting up library for {0} {1}".format(load_data_for_current_species.genus, load_data_for_current_species.species)) load_data_for_current_species.setup_library() logging.debug("Successfully set up library in galaxy for {0} {1}".format(load_data_for_current_species.genus, load_data_for_current_species.species)) # Set or get the history for the current organism load_data_for_current_species.get_history() # Remove H. sapiens from database if here # TODO: set a dedicated history for removing H. sapiens (instead of doing it into a species history) load_data_for_current_species.remove_homo_sapiens_from_db() # logging.info("Importing datasets into history for %s" % load_data_for_current_species.full_name) # load_data_for_current_species.import_datasets_into_history() # Option "--load-history" # load_data_for_current_species.purge_histories() # Testing purposes logging.info("Data successfully loaded and imported for {0} {1}".format(load_data_for_current_species.genus, load_data_for_current_species.species)) else: logging.critical("The galaxy container for {0} {1} is not ready yet".format(load_data_for_current_species.genus, load_data_for_current_species.species)) sys.exit()