CMS 3D CMS Logo

tools.py
Go to the documentation of this file.
1 from __future__ import print_function
2 from builtins import range
3 import os
4 import re
5 import sys
6 import shutil
7 import importlib
8 import sqlalchemy
9 import subprocess
10 import CondCore.Utilities.conddblib as conddb
11 from functools import reduce
12 
13 import six
14 
15 def create_single_iov_db(inputs, run_number, output_db):
16  """Create an sqlite file with single-IOV tags for alignment payloads.
17 
18  Arguments:
19  - `inputs`: dictionary with input needed for payload extraction
20  - `run_number`: run for which the IOVs are selected
21  - `output_db`: name of the output sqlite file
22  """
23 
24  # find the IOV containing `run_number`
25  for record,tag in six.iteritems(inputs):
26  run_is_covered = False
27  for iov in reversed(tag["iovs"]):
28  if iov <= run_number:
29  tag["since"] = str(iov)
30  run_is_covered = True
31  break
32  if not run_is_covered:
33  msg = ("Run number {0:d} is not covered in '{1:s}' ({2:s}) from"
34  " '{3:s}'.".format(run_number, tag["tag"], record,
35  global_tag))
36  print(msg)
37  print("Aborting...")
38  sys.exit(1)
39 
40  result = {}
41  remove_existing_object(output_db)
42 
43  for record,tag in six.iteritems(inputs):
44  result[record] = {"connect": "sqlite_file:"+output_db,
45  "tag": "_".join([tag["tag"], tag["since"]])}
46 
47  if tag["connect"] == "pro":
48  source_connect = "frontier://FrontierProd/CMS_CONDITIONS"
49  elif tag["connect"] == "dev":
50  source_connect = "frontier://FrontierPrep/CMS_CONDITIONS"
51  else:
52  source_connect = tag["connect"]
53 
54  cmd = ("conddb_import",
55  "-f", source_connect,
56  "-c", result[record]["connect"],
57  "-i", tag["tag"],
58  "-t", result[record]["tag"],
59  "-b", str(run_number),
60  "-e", str(run_number))
61  run_checked(cmd)
62  if len(inputs) > 0:
63  run_checked(["sqlite3", output_db, "update iov set since=1"])
64 
65  return result
66 
67 
68 def run_checked(cmd, suppress_stderr = False):
69  """Run `cmd` and exit in case of failures.
70 
71  Arguments:
72  - `cmd`: list containing the strings of the command
73  - `suppress_stderr`: suppress output from stderr
74  """
75 
76  try:
77  with open(os.devnull, "w") as devnull:
78  if suppress_stderr:
79  subprocess.check_call(cmd, stdout = devnull, stderr = devnull)
80  else:
81  subprocess.check_call(cmd, stdout = devnull)
82  except subprocess.CalledProcessError as e:
83  print("Problem in running the following command:")
84  print(" ".join(e.cmd))
85  sys.exit(1)
86 
87 
89  """Returns cms.Process object defined in `cfg`.
90 
91  Arguments:
92  - `cfg`: path to CMSSW config file
93  """
94 
95  sys.path.append(os.path.dirname(cfg)) # add location to python path
96  cache_stdout = sys.stdout
97  sys.stdout = open(os.devnull, "w") # suppress unwanted output
98  try:
99  __configuration = \
100  importlib.import_module(os.path.splitext(os.path.basename(cfg))[0])
101  except Exception as e:
102  print("Problem detected in configuration file '{0}'.".format(cfg))
103  raise e
104  sys.stdout = cache_stdout
105  sys.path.pop() # clean up python path again
106  try:
107  os.remove(cfg+"c") # try to remove temporary .pyc file
108  except OSError as e:
109  if e.args == (2, "No such file or directory"): pass
110  else: raise
111 
112  return __configuration.process
113 
114 
115 def make_unique_runranges(ali_producer):
116  """Derive unique run ranges from AlignmentProducer PSet.
117 
118  Arguments:
119  - `ali_producer`: cms.PSet containing AlignmentProducer configuration
120  """
121 
122  if (hasattr(ali_producer, "RunRangeSelection") and
123  len(ali_producer.RunRangeSelection) > 0):
124  iovs = set([int(iov)
125  for sel in ali_producer.RunRangeSelection
126  for iov in sel.RunRanges])
127  if len(iovs) == 0: return [1] # single IOV starting from run 1
128  return sorted(iovs)
129  else:
130  return [1] # single IOV starting from run 1
131 
132 
133 def get_tags(global_tag, records):
134  """Get tags for `records` contained in `global_tag`.
135 
136  Arguments:
137  - `global_tag`: global tag of interest
138  - `records`: database records of interest
139  """
140 
141  if len(records) == 0: return {} # avoid useless DB query
142 
143  # check for auto GT
144  if global_tag.startswith("auto:"):
145  import Configuration.AlCa.autoCond as AC
146  try:
147  global_tag = AC.autoCond[global_tag.split("auto:")[-1]]
148  except KeyError:
149  print("Unsupported auto GT:", global_tag)
150  sys.exit(1)
151 
152  # setting up the DB session
153  con = conddb.connect(url = conddb.make_url())
154  session = con.session()
155  GlobalTagMap = session.get_dbtype(conddb.GlobalTagMap)
156 
157  # query tag names for records of interest contained in `global_tag`
158  tags = session.query(GlobalTagMap.record, GlobalTagMap.tag_name).\
159  filter(GlobalTagMap.global_tag_name == global_tag,
160  GlobalTagMap.record.in_(records)).all()
161 
162  # closing the DB session
163  session.close()
164 
165  return {item[0]: {"tag": item[1], "connect": "pro"} for item in tags}
166 
167 
168 def get_iovs(db, tag):
169  """Retrieve the list of IOVs from `db` for `tag`.
170 
171  Arguments:
172  - `db`: database connection string
173  - `tag`: tag of database record
174  """
175 
176  db = db.replace("sqlite_file:", "").replace("sqlite:", "")
177  db = db.replace("frontier://FrontierProd/CMS_CONDITIONS", "pro")
178  db = db.replace("frontier://FrontierPrep/CMS_CONDITIONS", "dev")
179 
180  con = conddb.connect(url = conddb.make_url(db))
181  session = con.session()
182  IOV = session.get_dbtype(conddb.IOV)
183 
184  iovs = set(session.query(IOV.since).filter(IOV.tag_name == tag).all())
185  if len(iovs) == 0:
186  print("No IOVs found for tag '"+tag+"' in database '"+db+"'.")
187  sys.exit(1)
188 
189  session.close()
190 
191  return sorted([int(item[0]) for item in iovs])
192 
193 
194 def replace_factors(product_string, name, value):
195  """Takes a `product_string` and replaces all factors with `name` by `value`.
196 
197  Arguments:
198  - `product_string`: input string containing a product
199  - `name`: name of the factor
200  - `value`: value of the factor
201  """
202 
203  value = str(value) # ensure it's a string
204  return re.sub(r"^"+name+r"$", value, # single factor
205  re.sub(r"[*]"+name+r"$", r"*"+value, # rhs
206  re.sub(r"^"+name+r"[*]", value+r"*", # lhs
207  re.sub(r"[*]"+name+r"[*]", r"*"+value+r"*",
208  product_string))))
209 
210 def compute_product_string(product_string):
211  """Takes `product_string` and returns the product of the factors as string.
212 
213  Arguments:
214  - `product_string`: string containing product ('<factor>*<factor>*...')
215  """
216 
217  factors = [float(f) for f in product_string.split("*")]
218  return str(reduce(lambda x,y: x*y, factors))
219 
220 
222  """Check if GRID proxy has been initialized."""
223 
224  try:
225  with open(os.devnull, "w") as dump:
226  subprocess.check_call(["voms-proxy-info", "--exists"],
227  stdout = dump, stderr = dump)
228  except subprocess.CalledProcessError:
229  return False
230  return True
231 
232 
234  """
235  Tries to remove file or directory located at `path`. If the user
236  has no delete permissions, the object is moved to a backup
237  file. If this fails it tries 5 times in total and then asks to
238  perform a cleanup by a user with delete permissions.
239 
240  Arguments:
241  - `name`: name of the object to be (re)moved
242  """
243 
244  if os.path.exists(path):
245  remove_method = shutil.rmtree if os.path.isdir(path) else os.remove
246  move_method = shutil.move if os.path.isdir(path) else os.rename
247  try:
248  remove_method(path)
249  except OSError as e:
250  if e.args != (13, "Permission denied"): raise
251  backup_path = path.rstrip("/")+"~"
252  for _ in range(5):
253  try:
254  if os.path.exists(backup_path): remove_method(backup_path)
255  move_method(path, backup_path)
256  break
257  except OSError as e:
258  if e.args != (13, "Permission denied"): raise
259  backup_path += "~"
260  if os.path.exists(path):
261  msg = ("Cannot remove '{}' due to missing 'delete' ".format(path)
262  +"permissions and the limit of 5 backups is reached. Please "
263  "ask a user with 'delete' permissions to clean up.")
264  print(msg)
265  sys.exit(1)
def remove_existing_object(path)
Definition: tools.py:233
def replace(string, replacements)
S & print(S &os, JobReport::InputFile const &f)
Definition: JobReport.cc:66
def create_single_iov_db(inputs, run_number, output_db)
Definition: tools.py:15
def run_checked(cmd, suppress_stderr=False)
Definition: tools.py:68
def replace_factors(product_string, name, value)
Definition: tools.py:194
def get_iovs(db, tag)
Definition: tools.py:168
def get_tags(global_tag, records)
Definition: tools.py:133
static std::string join(char **cmd)
Definition: RemoteFile.cc:18
def get_process_object(cfg)
Definition: tools.py:88
#define str(s)
def make_unique_runranges(ali_producer)
Definition: tools.py:115
def check_proxy()
Definition: tools.py:221
def compute_product_string(product_string)
Definition: tools.py:210