Skip to content
Snippets Groups Projects
run_predictors.py 13 KiB
Newer Older
"""
"""
import argparse
import os
import signal
import sys
import time
import traceback
import math
from functools import partial

import numpy
import pandas

from mhcnames import normalize_allele_name
import tqdm  # progress bar
tqdm.monitor_interval = 0  # see https://github.com/tqdm/tqdm/issues/481

from mhcflurry.common import configure_logging
from mhcflurry.local_parallelism import (
    add_local_parallelism_args,
    worker_pool_with_gpu_assignments_from_args,
    call_wrapped_kwargs)
from mhcflurry.cluster_parallelism import (
    add_cluster_parallelism_args,
    cluster_results_from_args)


# To avoid pickling large matrices to send to child processes when running in
# parallel, we use this global variable as a place to store data. Data that is
# stored here before creating the thread pool will be inherited to the child
# processes upon fork() call, allowing us to share large data with the workers
# via shared memory.
GLOBAL_DATA = {}

parser = argparse.ArgumentParser(usage=__doc__)

parser.add_argument(
    "input_peptides",
    metavar="CSV",
    help="CSV file with 'peptide' column")
parser.add_argument(
    "--predictor",
    required=True,
Tim O'Donnell's avatar
Tim O'Donnell committed
    choices=("mhcflurry", "netmhcpan4"))
parser.add_argument(
    "--mhcflurry-models-dir",
    metavar="DIR",
    help="Directory to read MHCflurry models")
parser.add_argument(
    "--mhcflurry-batch-size",
    type=int,
    default=4096,
    help="Keras batch size for MHCflurry predictions. Default: %(default)s")
parser.add_argument(
    "--allele",
    default=None,
    required=True,
    nargs="+",
    help="Alleles to predict")
parser.add_argument(
    "--chunk-size",
    type=int,
    default=100000,
    help="Num peptides per job. Default: %(default)s")
parser.add_argument(
    "--out",
    metavar="DIR",
    help="Write results to DIR")
parser.add_argument(
    "--max-peptides",
    type=int,
    help="Max peptides to process. For debugging.",
    default=None)
parser.add_argument(
    "--reuse-predictions",
    metavar="DIR",
Tim O'Donnell's avatar
Tim O'Donnell committed
    action="append",
    help="Take predictions from indicated DIR instead of re-running them")

add_local_parallelism_args(parser)
add_cluster_parallelism_args(parser)


Tim O'Donnell's avatar
Tim O'Donnell committed
def load_results(dirname, result_df=None):
    peptides = pandas.read_csv(
Tim O'Donnell's avatar
Tim O'Donnell committed
        os.path.join(dirname, "peptides.csv")).peptide
    manifest_df = pandas.read_csv(os.path.join(dirname, "alleles.csv"))
Tim O'Donnell's avatar
Tim O'Donnell committed

    print(
        "Loading results. Existing data has",
        len(peptides),
        "peptides and",
        len(manifest_df),
        "columns")

    if result_df is None:
        result_df = pandas.DataFrame(
            index=peptides, columns=manifest_df.col.values, dtype="float32")
        result_df[:] = numpy.nan
Tim O'Donnell's avatar
Tim O'Donnell committed
    else:
        manifest_df = manifest_df.loc[manifest_df.col.isin(result_df.columns)]
        peptides = peptides[peptides.isin(result_df.index)]

    print("Will load", len(peptides), "peptides and", len(manifest_df), "cols")

    for _, row in manifest_df.iterrows():
        with open(os.path.join(dirname, row.path), "rb") as fd:
            result_df.loc[
Tim O'Donnell's avatar
Tim O'Donnell committed
                peptides.values, row.col
            ] = numpy.load(fd)['arr_0']

    return result_df


Tim O'Donnell's avatar
Tim O'Donnell committed
def blocks_of_ones(arr):
    """
    Given a binary matrix, return indices of rectangular blocks of 1s.

    Parameters
    ----------
    arr : binary matrix

    Returns
    -------
    List of (x1, y1, x2, y2) where all indices are INCLUSIVE. Each block spans
    from (x1, y1) on its upper left corner to (x2, y2) on its lower right corner.

    """
    arr = arr.copy()
    blocks = []
    while arr.sum() > 0:
        (x1, y1) = numpy.unravel_index(arr.argmax(), arr.shape)
        block = [x1, y1, x1, y1]

        # Extend in first dimension as far as possible
        down_stop = numpy.argmax(arr[x1:, y1] == 0) - 1
        if down_stop == -1:
            block[2] = arr.shape[0] - 1
        else:
            assert down_stop >= 0
            block[2] = x1 + down_stop

        # Extend in second dimension as far as possible
        for i in range(y1, arr.shape[1]):
            if (arr[block[0] : block[2] + 1, i] == 1).all():
                block[3] = i

        # Zero out block:
        assert (
            arr[block[0]: block[2] + 1, block[1] : block[3] + 1] == 1).all(), (arr, block)
        arr[block[0] : block[2] + 1, block[1] : block[3] + 1] = 0

        blocks.append(block)
    return blocks


def run(argv=sys.argv[1:]):
    global GLOBAL_DATA

    # On sigusr1 print stack trace
    print("To show stack trace, run:\nkill -s USR1 %d" % os.getpid())
    signal.signal(signal.SIGUSR1, lambda sig, frame: traceback.print_stack())

    args = parser.parse_args(argv)

    configure_logging()

    serial_run = not args.cluster_parallelism and args.num_jobs == 0

    alleles = [normalize_allele_name(a) for a in args.allele]
    alleles = sorted(set(alleles))

    peptides = pandas.read_csv(
        args.input_peptides, nrows=args.max_peptides).peptide.drop_duplicates()
    print("Filtering to valid peptides. Starting at: ", len(peptides))
    peptides = peptides[peptides.str.match("^[ACDEFGHIKLMNPQRSTVWY]+$")]
    print("Filtered to: ", len(peptides))
    peptides = peptides.unique()
    num_peptides = len(peptides)

    print("Predictions for %d alleles x %d peptides." % (
        len(alleles), num_peptides))

    if not os.path.exists(args.out):
        print("Creating", args.out)
        os.mkdir(args.out)

    GLOBAL_DATA["predictor"] = args.predictor
Tim O'Donnell's avatar
Tim O'Donnell committed
    GLOBAL_DATA["args"] = args

    # Write peptide and allele lists to out dir.
    out_peptides = os.path.abspath(os.path.join(args.out, "peptides.csv"))
    pandas.DataFrame({"peptide": peptides}).to_csv(out_peptides, index=False)
    print("Wrote: ", out_peptides)

    manifest_df = []
    for allele in alleles:
        for col in ["affinity", "percentile_rank", "elution_score"]:
            manifest_df.append((allele, col))
    manifest_df = pandas.DataFrame(
        manifest_df, columns=["allele", "kind"])
    manifest_df["col"] = (
            manifest_df.allele + " " + manifest_df.kind)
    manifest_df["path"] = manifest_df.col.map(
        lambda s: s.replace("*", "").replace(" ", ".")) + ".npz"
    out_manifest = os.path.abspath(os.path.join(args.out, "alleles.csv"))
    manifest_df.to_csv(out_manifest, index=False)
    col_to_filename = manifest_df.set_index("col").path.map(
        lambda s: os.path.abspath(os.path.join(args.out, s)))
    print("Wrote: ", out_manifest)

    result_df = pandas.DataFrame(
Tim O'Donnell's avatar
Tim O'Donnell committed
        index=peptides, columns=manifest_df.col.values, dtype="float32")
    result_df[:] = numpy.nan

    if args.reuse_predictions:
Tim O'Donnell's avatar
Tim O'Donnell committed
        for dirname in args.reuse_predictions:
            print("Loading predictions", dirname)
            result_df = load_results(dirname, result_df)
            print("Existing data filled %f%% entries" % (
                result_df.notnull().values.mean()))
Tim O'Donnell's avatar
Tim O'Donnell committed

        # We rerun any alleles have nulls for any kind of values
        # (affinity, percentile rank, elution score).
        print("Computing blocks.")
        start = time.time()
        blocks = blocks_of_ones(result_df.isnull().values)
        print("Found %d blocks in %f sec." % (
            len(blocks), (time.time() - start)))

        work_items = []
        for (row_index1, col_index1, row_index2, col_index2) in blocks:
            block_cols = result_df.columns[col_index1 : col_index2 + 1]
            block_alleles = sorted(set([x.split()[0] for x in block_cols]))
            block_peptides = result_df.index[row_index1 : row_index2 + 1]

            print("Block: ", row_index1, col_index1, row_index2, col_index2)
            num_chunks = int(math.ceil(len(block_peptides) / args.chunk_size))
            print("Splitting peptides into %d chunks" % num_chunks)
            peptide_chunks = numpy.array_split(peptides, num_chunks)

            for chunk_peptides in peptide_chunks:
                work_item = {
                    'alleles': block_alleles,
                    'peptides': chunk_peptides,
                }
                work_items.append(work_item)
    else:
        # Same number of chunks for all alleles
        num_chunks = int(math.ceil(len(peptides) / args.chunk_size))
        print("Splitting peptides into %d chunks" % num_chunks)
        peptide_chunks = numpy.array_split(peptides, num_chunks)

        work_items = []
Tim O'Donnell's avatar
Tim O'Donnell committed
        for (_, chunk_peptides) in enumerate(peptide_chunks):
            work_item = {
                'alleles': alleles,
                'peptides': chunk_peptides,
            }
            work_items.append(work_item)
    print("Work items: ", len(work_items))

    for (i, work_item) in enumerate(work_items):
        work_item["work_item_num"] = i

Tim O'Donnell's avatar
Tim O'Donnell committed
    if args.predictor == "mhcflurry":
        do_predictions_function = do_predictions_mhcflurry
    else:
        do_predictions_function = do_predictions_mhctools

    worker_pool = None
    start = time.time()
    if serial_run:
        # Serial run
        print("Running in serial.")
        results = (
Tim O'Donnell's avatar
Tim O'Donnell committed
            do_predictions_function(**item) for item in work_items)
    elif args.cluster_parallelism:
        # Run using separate processes HPC cluster.
        print("Running on cluster.")
        results = cluster_results_from_args(
            args,
Tim O'Donnell's avatar
Tim O'Donnell committed
            work_function=do_predictions_function,
            work_items=work_items,
            constant_data=GLOBAL_DATA,
            input_serialization_method="dill",
            result_serialization_method="pickle",
            clear_constant_data=True)
    else:
        worker_pool = worker_pool_with_gpu_assignments_from_args(args)
        print("Worker pool", worker_pool)
        assert worker_pool is not None
        results = worker_pool.imap_unordered(
Tim O'Donnell's avatar
Tim O'Donnell committed
            partial(call_wrapped_kwargs, do_predictions_function),
            work_items,
            chunksize=1)

    allele_to_chunk_index_to_predictions = {}
    for allele in alleles:
        allele_to_chunk_index_to_predictions[allele] = {}

    for (work_item_num, col_to_predictions) in tqdm.tqdm(
            results, total=len(work_items)):
        for (col, predictions) in col_to_predictions.items():
            result_df.loc[
                work_items[work_item_num]['peptides'],
                col
            ] = predictions
            out_path = os.path.join(
                args.out, col_to_filename[col])
            numpy.savez(out_path, result_df[col].values)
            print(
                "Wrote [%f%% null]:" % (
                    result_df[col].isnull().mean() * 100.0),
                out_path)

    print("Overall null rate (should be 0): %f" % (
        100.0 * result_df.isnull().values.flatten().mean()))

    if worker_pool:
        worker_pool.close()
        worker_pool.join()

    prediction_time = time.time() - start
    print("Done generating predictions in %0.2f min." % (
        prediction_time / 60.0))


Tim O'Donnell's avatar
Tim O'Donnell committed
def do_predictions_mhctools(work_item_num, peptides, alleles, constant_data=None):
    # This may run on the cluster in a way that misses all top level imports,
    # so we have to re-import everything here.
    import time
    import numpy
    import numpy.testing
    import mhctools

    if constant_data is None:
        constant_data = GLOBAL_DATA

Tim O'Donnell's avatar
Tim O'Donnell committed
    predictor_name = constant_data['args'].predictor
    if predictor_name == "netmhcpan4":
        predictor = mhctools.NetMHCpan4(
            alleles=alleles, program_name="netMHCpan-4.0")
    else:
        raise ValueError("Unsupported", predictor_name)

    start = time.time()
    df = predictor.predict_peptides_dataframe(peptides)
    print("Generated predictions for %d peptides x %d alleles in %0.2f sec." % (
        len(peptides), len(alleles), (time.time() - start)))

    results = {}
    for (allele, sub_df) in df.groupby("allele"):
        for col in ["affinity", "percentile_rank", "elution_score"]:
            results["%s %s" % (allele, col)] = sub_df[col].values.astype(
                'float32')
    return (work_item_num, results)


Tim O'Donnell's avatar
Tim O'Donnell committed
def do_predictions_mhcflurry(work_item_num, peptides, alleles, constant_data=None):
    # This may run on the cluster in a way that misses all top level imports,
    # so we have to re-import everything here.
    import time
    from mhcflurry.encodable_sequences import EncodableSequences
    from mhcflurry import Class1AffinityPredictor

    if constant_data is None:
        constant_data = GLOBAL_DATA

    args = constant_data['args']

    assert args.predictor == "mhcflurry"

    predictor = Class1AffinityPredictor.load(args.mhcflurry_models_dir)

    start = time.time()
    results = {}
    peptides = EncodableSequences.create(peptides)
    for (i, allele) in enumerate(alleles):
        print("Processing allele %d / %d: %0.2f sec elapsed" % (
            i + 1, len(alleles), time.time() - start))
        for col in ["affinity"]:
            results["%s %s" % (allele, col)] = predictor.predict(
                peptides=peptides,
                allele=allele,
                throw=False,
Tim O'Donnell's avatar
Tim O'Donnell committed
                model_kwargs={
                    'batch_size': args.mhcflurry_batch_size,
                }).astype('float32')
Tim O'Donnell's avatar
Tim O'Donnell committed
    print("Done predicting in", time.time() - start, "sec")
    return (work_item_num, results)


if __name__ == '__main__':
    run()