File: Util.py

package info (click to toggle)
rsem 1.3.3%2Bdfsg-3
  • links: PTS, VCS
  • area: main
  • in suites: sid, trixie
  • size: 37,700 kB
  • sloc: cpp: 19,230; perl: 1,326; python: 1,245; ansic: 547; makefile: 186; sh: 154
file content (173 lines) | stat: -rw-r--r-- 3,915 bytes parent folder | download | duplicates (3)
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
__doc__="""

  pliu 20150605

  utility module for pRSEM
  no class is defined here
"""

def runCommand(*args, **kwargs):
  import os
  import subprocess
  import sys

  is_quiet = False
  if 'quiet' in kwargs:
    if kwargs['quiet']:
      is_quiet = True

  str_args = [ str(arg) for arg in args ]
  if is_quiet:
    pass
  else:
    sys.stdout.write("\n%s\n" % (' '.join(str_args)))

  f_null = open(os.devnull, 'w')

  try:
    if len(str_args) == 1:
      if is_quiet:
        retcode = subprocess.call(str_args[0], stdout=f_null, shell=True)
      else:
        retcode = subprocess.call(str_args[0], shell=True)
    else:
      if is_quiet:
       #print '##', is_quiet, '##';
        retcode = subprocess.call(str_args, stdout=f_null)
      else:
       #print '##', is_quiet, '##';
        retcode = subprocess.call(str_args)
    if retcode < 0:
      sys.exit("\nTerminated by singal %d\n" % -retcode)
    elif retcode > 0:
      sys.exit("\nFailed with return code %d\n" % retcode)
  except OSError as e:
    sys.exit("\nExecution failed: %s\n" % e)

  f_null.close()


def runCommandAndGetOutput(*args, **kwargs):
  import subprocess
  import sys

  str_args = [ str(arg) for arg in args ]
  if 'quiet' in kwargs:
    if not kwargs['quiet']:
      sys.stdout.write("\n%s\n" % (' '.join(str_args)))
  else:
    sys.stdout.write("\n%s\n" % (' '.join(str_args)))

  try:
    output = subprocess.check_output(str_args)
  except subprocess.CalledProcessError as e:
    sys.exit("\nExecution failed: %s\n" % e.output)

  return output


def getCatCommand(is_gzipped):
  if is_gzipped:
    cat_cmd = 'zcat'
  else:
    cat_cmd = 'cat'
  return cat_cmd


def readFile(fin):
  """
  return all the lines of the input file.
  """
  import os
  assert os.path.exists(fin), "File not found: %s\n" % fin

  lines = [];
  f_fin = open(fin, 'r');
  lines = f_fin.read().split('\n');
  f_fin.close();
  lines.pop();

  newlines = [];
  for line in lines:
    if line[-1] == '\r':
      newline = line[:-1];
    else:
      newline = line;
    newlines.append(newline);

  return newlines;


def calculateMappability(mpp_type, chrom, start, end, bigwigsummary_bin,
                         fbigwig, quiet=True):
  """
  calculate mappability for the given genomic coordinate interval
  mpp_type = {mean|max}
  """
  mpp = -10.0
  mpp = runCommandAndGetOutput(bigwigsummary_bin, '-type=%s' % mpp_type,
                               fbigwig, chrom, start, end, '1', quiet=True)
  return float(mpp)


def runMPOverAList(nprocs, func, args):
  """
  run multiprocessing for the given function and arguments on nprocs CPUs
  args[0] must be a list to-be-split and run func
  func must return a dict
  """
  import multiprocessing as mp

  out_q = mp.Queue()
  chunksize = 1
  if len(args[0]) > nprocs:
    chunksize = len(args[0])/nprocs + 1
  procs = []
  for i in range(nprocs):
    list_args = [args[0][chunksize*i:chunksize*(i+1)]] + args[1:] + [out_q]
    p = mp.Process(target = func, args = tuple(list_args))
    procs.append(p)
    p.start()

  dict_to_return = {}
  for i in range(nprocs):
    dict_to_return.update(out_q.get())

  for p in procs:
    p.join()

  return dict_to_return


def getFastaID2Seq(ffasta):
  """
  read fasta file, return a dict with key as seq_id and value as seq
  """
  import os
  assert os.path.exists(ffasta), "File not found: %s\n" % ffasta
  fastas = {};
  f_fin = open(ffasta, 'r');
  entries = f_fin.read().split('>');
  f_fin.close();
  for entry in entries[1:]:
    words = entry.split("\n");
    fastas[words[0]] = words[1];

  return fastas;


def getGCFraction(seq):
  """
  return the percetage of GC in the given sequence
  """
  length = len(seq);
  if length == 0:
    sys.stderr.write("Util::getFraction(): sequence length is 0\n");
    return 0;
  else:
    seq = seq.upper();
    n_G = seq.count('G');
    n_C = seq.count('C');

    return (n_G + n_C) * 1.0/length;