Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

EVA-1063 - Populate a default locus range (for use in Variant Browser) for a given species #155

Open
wants to merge 3 commits into
base: master
Choose a base branch
from
Open
Show file tree
Hide file tree
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
25 changes: 25 additions & 0 deletions src/main/resources/utilities/__init__.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,25 @@
# Copyright 2019 EMBL - European Bioinformatics Institute
#
# Licensed under the Apache License, Version 2.0 (the "License");
# you may not use this file except in compliance with the License.
# You may obtain a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.

import logging
import sys


def init_logger():
logging.basicConfig(stream=sys.stdout, level=logging.INFO, format='%(asctime)-15s %(levelname)s %(message)s')
result_logger = logging.getLogger(__name__)
return result_logger


logger = init_logger()
Original file line number Diff line number Diff line change
@@ -0,0 +1,125 @@
#!/usr/bin/env python3

# Copyright 2019 EMBL - European Bioinformatics Institute
#
# Licensed under the Apache License, Version 2.0 (the "License");
# you may not use this file except in compliance with the License.
# You may obtain a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.

import click
import configparser
import urllib.parse

from pymongo import MongoClient
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

can you add a requirements.txt and readme for installing the dependencies?

from __init__ import *

DEFAULT_LOCUS_RANGE_COLLECTION_NAME = "defaultLocusRange"
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

good idea. I assume you plan to make this available through some new webservice to un-hardcode it from the website?

Copy link
Member Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Yes. I intend to add a separate end point /default-locus-range similar to /annotation for a given species.

VARIANT_COLLECTION_NAME = "variants_2_0"
VARIANT_COLLECTION_NAME_ALT = "variants_1_2"

# This is basically the MongoDB pipeline version of
# select top 1 from
# (select chr, start/1e6, count(*) as num_entries from variants_2_0 group by 1,2) counts order by num_entries desc
pick_locus_range_query = [
{
"$group": {
"_id": {
"chr": "$chr",
"start_1M_multiple": {"$trunc": {"$divide": ["$start", 1e6]}}
},
"COUNT(*)": {
"$sum": 1
}
}
},
{
"$project": {
"chr": "$_id.chr",
"start_1M_multiple": "$_id.start_1M_multiple",
"num_entries": "$COUNT(*)",
"_id": 0
}
},
{
"$sort": {"num_entries": -1}
},
{
"$limit": 1
}
]


def get_best_locus_range_for_species(species_db_handle):
result = list(species_db_handle[VARIANT_COLLECTION_NAME].aggregate(pipeline=pick_locus_range_query,
allowDiskUse=True))
result = result or list(species_db_handle[VARIANT_COLLECTION_NAME_ALT].aggregate(pipeline=pick_locus_range_query,
allowDiskUse=True))
if result:
locus_range_attributes = result[0]
chromosome, start = locus_range_attributes["chr"], int(locus_range_attributes["start_1M_multiple"] * 1e6 + 1)
end = int(start + 1e6 - 1)
return {"chr": chromosome, "start": start, "end": end}
return {}


def get_args_from_release_properties_file(pipeline_properties_file):
parser = configparser.ConfigParser()
parser.optionxform = str

with open(pipeline_properties_file, "r") as properties_file_handle:
# Dummy section is needed because
# ConfigParser is not clever enough to read config files without section headers
properties_section_name = "pipeline_properties"
properties_string = '[{0}]\n{1}'.format(properties_section_name, properties_file_handle.read())
parser.read_string(properties_string)
config = dict(parser.items(section=properties_section_name))
return config


def default_locus_range_collection_exists(species_db_handle):
if DEFAULT_LOCUS_RANGE_COLLECTION_NAME in species_db_handle.list_collection_names():
default_locus_range_collection_handle = species_db_handle[DEFAULT_LOCUS_RANGE_COLLECTION_NAME]
return True if default_locus_range_collection_handle.find_one() else False
return False


def populate_default_locus_range(pipeline_properties_file, species_db_name):
properties_file_args = get_args_from_release_properties_file(pipeline_properties_file)
mongo_host = properties_file_args["spring.data.mongodb.host"]
mongo_port = properties_file_args["spring.data.mongodb.port"]
mongo_user = properties_file_args["spring.data.mongodb.username"]
mongo_pass = properties_file_args["spring.data.mongodb.password"]
mongo_auth = properties_file_args["spring.data.mongodb.authentication-database"]

with MongoClient("mongodb://{0}:{1}@{2}:{3}/{4}".format(mongo_user, urllib.parse.quote_plus(mongo_pass),
mongo_host, mongo_port, mongo_auth)) as client:
species_db_handle = client[species_db_name]
if default_locus_range_collection_exists(species_db_handle):
logger.warn("Species {0} already has the {1} collection"
.format(species_db_name, DEFAULT_LOCUS_RANGE_COLLECTION_NAME))
return
best_locus_range_for_species = get_best_locus_range_for_species(species_db_handle)
if best_locus_range_for_species:
species_db_handle[DEFAULT_LOCUS_RANGE_COLLECTION_NAME].insert_one(best_locus_range_for_species)
else:
logger.error("Could not find default locus range for species {0}".format(species_db_name))


@click.option("-p", "--pipeline-properties-file", required=True)
@click.argument("species-db-names", nargs=-1, required=True)
@click.command()
def main(pipeline_properties_file, species_db_names):
for species_db_name in species_db_names:
populate_default_locus_range(pipeline_properties_file, species_db_name)


if __name__ == '__main__':
main()
4 changes: 4 additions & 0 deletions src/main/resources/utilities/requirements.txt
Original file line number Diff line number Diff line change
@@ -0,0 +1,4 @@
pymongo==3.8.0
click==7.0
configparser==3.7.0
logging==0.4.9.6