1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373
|
# -*- coding: utf-8 -*-
# Standard library imports
from os import access, R_OK, listdir, path, makedirs
import inspect
from glob import iglob, glob
import sys
import logging
from collections import *
# Third party imports
import pandas as pd
import pysam as ps
#~~~~~~~~~~~~~~CUSTOM EXCEPTION AND WARN CLASSES~~~~~~~~~~~~~~#
class pycoQCError (Exception):
""" Basic exception class for pycoQC package """
pass
class pycoQCWarning (Warning):
""" Basic Warning class for pycoQC package """
pass
##~~~~~~~ FUNCTIONS ~~~~~~~#
def is_readable_file (fn):
"""Verify the readability of a file or list of file"""
return path.isfile (fn) and access (fn, R_OK)
def check_arg (arg_name, arg_val, required_type, allow_none=True, min=None, max=None, choices=[]):
"""Check argument values and type"""
if allow_none and arg_val is None:
return arg_val
if not isinstance(arg_val, required_type):
try:
arg_val = required_type(arg_val)
except:
raise Exception ("Argument `{}` value `{}` is not in correct type: `{}` and cannot be coerced".format(arg_name, arg_val, required_type.__name__))
if required_type in [float, int]:
if min and arg_val < min:
raise Exception ("Argument `{}` value `{}` is too low. Minimal value: {}".format(arg_name, arg_val, min))
if max and arg_val > max:
raise Exception ("Argument `{}` value `{}` is too high. Maximal value: {}".format(arg_name, arg_val, max))
if choices and arg_val not in choices:
raise Exception ("Argument `{}` value `{}` is not in the list of possible choices. Choices: {}".format(arg_name, arg_val, ", ".join(choices)))
return arg_val
def sequencing_summary_file_sample (infile, outfile=None, n_seq=10000):
"""
Sample a number read lines in infile and write the output_over_time in output_file
If the file contains several runids the function will sample proportionally to the
* infile: STR
Path to a sequencing_summary input file
* outfile: STR (default None)
Path to a sequencing_summary output file. If not given, will return a dataframe instead
* n_seq: STR (default 10000)
Overall number of sequence lines to sample
"""
df = pd.read_csv(infile, sep ="\t")
df.dropna (inplace=True)
total = len(df)
print ("{} sequences".format(total))
l = []
for runid, runid_df in df.groupby("run_id", sort=False):
n_to_sample = int (round (len (runid_df)/total*n_seq, 0))
if n_to_sample == 0:
n_to_sample=1
print ("{} = {} seq, to sample = {}".format (runid, len(runid_df), n_to_sample))
sdf = runid_df.sample(n_to_sample)
sdf.sort_values("start_time", inplace=True)
l.append(sdf)
df = pd.concat(l)
df.reset_index(inplace=True, drop=True)
if outfile:
if outfile.endswith("gz"):
df.to_csv(outfile, index=False, sep="\t", compression="gzip")
else:
df.to_csv(outfile, index=False, sep="\t", compression=None)
else:
return df
def dict_to_str (c, prefix="\t", suffix="\n"):
""" Transform a dict to a tabulated str """
m = ""
if type(c) == Counter:
for i, j in c.most_common():
m += "{}{}: {:,}{}".format(prefix, i, j, suffix)
else:
for i, j in c.items():
m += "{}{}: {}{}".format(prefix, i, j, suffix)
return m
def recursive_file_gen (dir, ext):
"""
create a generator listing all files with a particular extension in a folder arborescence
The recursivity is broken when at least 1 file with a particular extenssion is found.
"""
# In the case where the folder is a file
if path.isdir(dir):
# If matching files in the folder
file_found=False
for fn in iglob (path.join(dir, "*."+ext)):
yield fn
file_found=True
# If no matching file go deeper until a leaf containing fast5 is found
if not file_found:
for item in listdir(dir):
for fn in recursive_file_gen (path.join(dir, item), ext):
yield fn
def get_logger (name=None, verbose=False, quiet=False):
"""Set logger to appropriate log level"""
logging.basicConfig(format='%(message)s')
logger = logging.getLogger(name)
# Define overall verbose level
if verbose:
logger.setLevel(logging.DEBUG)
elif quiet:
logger.setLevel(logging.WARNING)
else:
logger.setLevel(logging.INFO)
return logger
def doc_func (func):
"""Parse the function description string"""
docstr_list = []
for l in inspect.getdoc(func).split("\n"):
l = l.strip()
if l:
if l.startswith("*"):
break
else:
docstr_list.append(l)
return " ".join(docstr_list)
def make_arg_dict (func):
"""Parse the arguments default value, type and doc"""
# Init method for classes
if inspect.isclass(func):
func = func.__init__
if inspect.isfunction(func) or inspect.ismethod(func):
# Parse arguments default values and annotations
d = OrderedDict()
for name, p in inspect.signature(func).parameters.items():
if p.name not in ["self","cls"]: # Object stuff. Does not make sense to include in doc
d[name] = OrderedDict()
if name not in ["kwargs","args"]: # Include but skip default required and type
# Get Annotation
if p.annotation != inspect._empty:
d[name]["type"] = p.annotation
# Get default value if available
if p.default == inspect._empty:
d[name]["required"] = True
else:
d[name]["default"] = p.default
# Parse the docstring in a dict
docstr_dict = OrderedDict()
lab=None
for l in inspect.getdoc(func).split("\n"):
l = l.strip()
if l:
if l.startswith("*"):
lab = l[1:].strip()
docstr_dict[lab] = []
elif lab:
docstr_dict[lab].append(l)
# Concatenate and copy doc in main dict
for name in d.keys():
if name in docstr_dict:
d[name]["help"] = " ".join(docstr_dict[name])
return d
def arg_opt (func, arg, **kwargs):
"""Get options corresponding to argument name and deal with special cases"""
arg_dict = make_arg_dict(func)[arg]
if "default" in arg_dict and "help" in arg_dict:
arg_dict["help"] += " (default: %(default)s)"
if "type" in arg_dict and "help" in arg_dict:
arg_dict["help"] += " [%(type)s]"
# Special case for boolean args
if arg_dict["type"] == bool:
if arg_dict["default"] is False:
arg_dict["action"] = 'store_true'
del arg_dict["type"]
elif arg_dict["default"] is True:
arg_dict["action"] = 'store_false'
del arg_dict["type"]
# Special case for lists args
elif arg_dict["type"] == list:
arg_dict["nargs"]='*'
return arg_dict
def jhelp (f:"python function or method"):
"""
Display a Markdown pretty help message for functions and class methods (default __init__ is a class is passed)
jhelp also display default values and type annotations if available.
The docstring synthax should follow the same synthax as the one used for this function
* f
Function or method to display the help message for
"""
# Private import as this is only needed if using jupyter
from IPython.core.display import display, Markdown
f_doc = doc_func(f)
arg_doc = make_arg_dict(f)
# Signature and function documentation
s = "**{}** ({})\n\n{}\n\n---\n\n".format(f.__name__, ", ".join(arg_doc.keys()), f_doc)
# Args doc
for arg_name, arg_val in arg_doc.items():
# Arg signature section
s+= "* **{}**".format(arg_name)
if "default" in arg_val:
if arg_val["default"] == "":
arg_val["default"] = "\"\""
s+= " (default: {})".format(arg_val["default"])
if "required" in arg_val:
s+= " (required)"
if "type" in arg_val:
if type(list) == type:
s+= " [{}]".format(arg_val["type"].__name__)
else:
s+= " [{}]".format(arg_val["type"])
s+="\n\n"
# Arg doc section
if "help" in arg_val:
s+= "{}\n\n".format(arg_val["help"])
# Display in Jupyter
display (Markdown(s))
def head (fp, n=10, sep="\t", comment=None):
"""
Emulate linux head cmd. Handle gziped files and bam files
* fp
Path to the file to be parse.
* n
Number of lines to print starting from the begining of the file (Default 10)
"""
line_list = []
# Get lines
try:
with open(fp) as fh:
line_num = 0
while (line_num < n):
l= next(fh).strip()
if comment and l.startswith(comment):
continue
if sep:
line_list.append (l.split(sep))
else:
line_list.append (l)
line_num+=1
except StopIteration:
pass
# Add padding if sep given
if sep:
try:
# Find longest elem per col
col_len_list = [0 for _ in range (len(line_list[0]))]
for ls in line_list:
for i in range (len(ls)):
len_col = len(ls[i])
if len_col > col_len_list[i]:
col_len_list[i] = len_col
# Add padding
line_list_tab = []
for ls in line_list:
s = ""
for i in range (len(ls)):
len_col = col_len_list[i]
len_cur_col = len(ls[i])
s += ls[i][0:len_col] + " "*(len_col-len_cur_col)+" "
line_list_tab.append(s)
line_list = line_list_tab
# Fall back to non tabulated display
except IndexError:
return head (fp=fp, n=n, sep=None)
for l in line_list:
print (l)
print()
def ls (dir_path):
for f in listdir(dir_path):
print(f)
def expand_file_names(fn, bam_check=False):
""""""
# Try to expand file name to list
if isinstance(fn, list):
if len(fn) ==1:
fn_list=glob(fn[0])
else:
fn_list = []
for f in fn:
fn_list.extend(glob(f))
elif isinstance(fn, str):
fn_list=glob(fn)
else:
raise pycoQCError ("{} has to be either a file or a regular expression or a list of files".format(fn))
# Verify that files are readable
if not fn_list:
raise pycoQCError("No files found in {}".format(fn))
for f in fn_list:
if not is_readable_file (f):
raise pycoQCError("Cannot read file {}".format(f))
# Extra checks for bam files
if bam_check:
with ps.AlignmentFile(f, "rb") as bam:
if not bam.has_index():
raise pycoQCError("No index found for bam file: {}. Please index with samtools index".format(f))
if not bam.header['HD']['SO'] == 'coordinate':
raise pycoQCError("Bam file not sorted: {}. Please sort with samtools sort".format(f))
return fn_list
def merge_files_to_df(fn_list):
""""""
if len(fn_list) == 1:
df = pd.read_csv(fn_list[0], sep ="\t")
else:
df_list = []
for fn in fn_list:
df_list.append (pd.read_csv(fn, sep ="\t"))
df = pd.concat(df_list, ignore_index=True, sort=False, join="inner")
if len(df) == 0:
raise pycoQCError ("No valid read found in input file")
return df
def mkdir (fn, exist_ok=False):
""" Create directory recursivelly. Raise IO error if path exist or if error at creation """
try:
makedirs (fn, exist_ok=exist_ok)
except:
raise pycoMethError ("Error creating output folder `{}`".format(fn))
def mkbasedir (fn, exist_ok=False):
""" Create directory for a given file recursivelly. Raise IO error if path exist or if error at creation """
dir_fn = path.dirname(fn)
if dir_fn:
mkdir (dir_fn, exist_ok=True)
|