CMS 3D CMS Logo

Functions
tools Namespace Reference

Functions

def check_proxy ()
 
def compute_product_string (product_string)
 
def create_single_iov_db (inputs, run_number, output_db)
 
def get_iovs (db, tag)
 
def get_process_object (cfg)
 
def get_tags (global_tag, records)
 
def getDatasetStr (datasetpath)
 
def getTerminalSize ()
 
def haddLocal (localdir, result_file, extension='root')
 
def interrupt (signum, frame)
 
def listFilesLocal (paths, extension='.root')
 
def loadCmsProcess (psetPath)
 
def loadCmsProcessFile (psetName)
 
def make_unique_runranges (ali_producer)
 
def prependPaths (process, seqname)
 
def remove_existing_object (path)
 
def replace_factors (product_string, name, value)
 
def replaceTemplate (template, opts)
 
def run_checked (cmd, suppress_stderr=False)
 
def stdinWait (text, default, time, timeoutDisplay=None, kwargs)
 

Function Documentation

def tools.check_proxy ( )
Check if GRID proxy has been initialized.

Definition at line 221 of file tools.py.

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 
def check_proxy()
Definition: tools.py:221
def tools.compute_product_string (   product_string)
Takes `product_string` and returns the product of the factors as string.

Arguments:
- `product_string`: string containing product ('<factor>*<factor>*...')

Definition at line 210 of file tools.py.

References objects.autophobj.float, and str.

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 
#define str(s)
def compute_product_string(product_string)
Definition: tools.py:210
def tools.create_single_iov_db (   inputs,
  run_number,
  output_db 
)
Create an sqlite file with single-IOV tags for alignment payloads.

Arguments:
- `inputs`: dictionary with input needed for payload extraction
- `run_number`: run for which the IOVs are selected
- `output_db`: name of the output sqlite file

Definition at line 15 of file tools.py.

References join(), edm.print(), remove_existing_object(), run_checked(), and str.

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 
def remove_existing_object(path)
Definition: tools.py:233
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
static std::string join(char **cmd)
Definition: RemoteFile.cc:18
#define str(s)
def tools.get_iovs (   db,
  tag 
)
Retrieve the list of IOVs from `db` for `tag`.

Arguments:
- `db`: database connection string
- `tag`: tag of database record

Definition at line 168 of file tools.py.

References Vispa.Plugins.EdmBrowser.EdmDataAccessor.all(), ALCARECOTkAlBeamHalo_cff.filter, createfilelist.int, edm.print(), and python.rootplot.root2matplotlib.replace().

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 
def replace(string, replacements)
S & print(S &os, JobReport::InputFile const &f)
Definition: JobReport.cc:66
def get_iovs(db, tag)
Definition: tools.py:168
def tools.get_process_object (   cfg)
Returns cms.Process object defined in `cfg`.

Arguments:
- `cfg`: path to CMSSW config file

Definition at line 88 of file tools.py.

References edm.print().

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 
S & print(S &os, JobReport::InputFile const &f)
Definition: JobReport.cc:66
def get_process_object(cfg)
Definition: tools.py:88
def tools.get_tags (   global_tag,
  records 
)
Get tags for `records` contained in `global_tag`.

Arguments:
- `global_tag`: global tag of interest
- `records`: database records of interest

Definition at line 133 of file tools.py.

References Vispa.Plugins.EdmBrowser.EdmDataAccessor.all(), ALCARECOTkAlBeamHalo_cff.filter, and edm.print().

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 
S & print(S &os, JobReport::InputFile const &f)
Definition: JobReport.cc:66
def get_tags(global_tag, records)
Definition: tools.py:133
def tools.getDatasetStr (   datasetpath)

Definition at line 20 of file tools.py.

20 def getDatasetStr(datasetpath):
21  datasetstr = datasetpath
22  datasetstr.strip()
23  if datasetstr[0] == '/': datasetstr = datasetstr[1:]
24  datasetstr = datasetstr.replace('/','_')
25 
26  return datasetstr
27 
def getDatasetStr(datasetpath)
Definition: tools.py:20
def tools.getTerminalSize ( )

Definition at line 96 of file tools.py.

References createfilelist.int.

Referenced by CrabHelper.CrabHelper.check_crabtask().

97  #taken from http://stackoverflow.com/a/566752
98  # returns width, size of terminal
99  env = os.environ
100  def ioctl_GWINSZ(fd):
101  try:
102  import fcntl, termios, struct, os
103  cr = struct.unpack('hh', fcntl.ioctl(fd, termios.TIOCGWINSZ,
104  '1234'))
105  except:
106  return
107  return cr
108  cr = ioctl_GWINSZ(0) or ioctl_GWINSZ(1) or ioctl_GWINSZ(2)
109  if not cr:
110  try:
111  fd = os.open(os.ctermid(), os.O_RDONLY)
112  cr = ioctl_GWINSZ(fd)
113  os.close(fd)
114  except:
115  pass
116  if not cr:
117  cr = (env.get('LINES', 25), env.get('COLUMNS', 80))
118 
119  ### Use get(key[, default]) instead of a try/catch
120  #try:
121  # cr = (env['LINES'], env['COLUMNS'])
122  #except:
123  # cr = (25, 80)
124  return int(cr[1]), int(cr[0])
125 
def getTerminalSize()
Definition: tools.py:96
def tools.haddLocal (   localdir,
  result_file,
  extension = 'root' 
)

Definition at line 41 of file tools.py.

References listFilesLocal().

Referenced by DTWorkflow.DTWorkflow.prepare_common_write().

41 def haddLocal(localdir,result_file,extension = 'root'):
42  if not os.path.exists( localdir ):
43  raise ValueError("localdir for hadd operation does not exist" )
44 
45  files = listFilesLocal([localdir],extension)
46  process = subprocess.Popen( ['hadd','-f', result_file] + files,
47  stdout=subprocess.PIPE,
48  stderr=subprocess.STDOUT)
49  stdout = process.communicate()[0]
50  return process.returncode
51 
def haddLocal(localdir, result_file, extension='root')
Definition: tools.py:41
def listFilesLocal(paths, extension='.root')
Definition: tools.py:28
def tools.interrupt (   signum,
  frame 
)

Definition at line 93 of file tools.py.

93 def interrupt(signum, frame):
94  raise Exception("")
95 
def interrupt(signum, frame)
Definition: tools.py:93
def tools.listFilesLocal (   paths,
  extension = '.root' 
)

Definition at line 28 of file tools.py.

Referenced by haddLocal().

28 def listFilesLocal(paths, extension = '.root'):
29  file_paths = []
30  for path in paths:
31  if not os.path.exists( path ):
32  log.error( "Specified input path '%s' does not exist!" % path )
33  continue
34  if path.endswith( extension ):
35  file_paths.append( path )
36  for root, dirnames, filenames in os.walk( path ):
37  for filename in fnmatch.filter( filenames, '*' + extension ):
38  file_paths.append( os.path.join( root, filename ) )
39  return file_paths
40 
def listFilesLocal(paths, extension='.root')
Definition: tools.py:28
def tools.loadCmsProcess (   psetPath)

Definition at line 56 of file tools.py.

Referenced by DTVdriftWorkflow.DTvdriftWorkflow.prepare_meantimer_submit(), DTVdriftWorkflow.DTvdriftWorkflow.prepare_meantimer_write(), DTTtrigWorkflow.DTttrigWorkflow.prepare_residuals_correction(), DTTtrigWorkflow.DTttrigWorkflow.prepare_residuals_submit(), DTVdriftWorkflow.DTvdriftWorkflow.prepare_segment_write(), DTTtrigWorkflow.DTttrigWorkflow.prepare_timeboxes_correction(), DTTtrigWorkflow.DTttrigWorkflow.prepare_validation_submit(), and DTTtrigWorkflow.DTttrigWorkflow.prepare_validation_write().

56 def loadCmsProcess(psetPath):
57  module = __import__(psetPath)
58  process = sys.modules[psetPath].process
59 
60  import copy
61  #FIXME: clone process
62  #processNew = copy.deepcopy(process)
63  processNew = copy.copy(process)
64  return processNew
65 
def loadCmsProcess(psetPath)
Definition: tools.py:56
def tools.loadCmsProcessFile (   psetName)

Definition at line 52 of file tools.py.

52 def loadCmsProcessFile(psetName):
53  pset = imp.load_source("psetmodule",psetName)
54  return pset.process
55 
def loadCmsProcessFile(psetName)
Definition: tools.py:52
def tools.make_unique_runranges (   ali_producer)
Derive unique run ranges from AlignmentProducer PSet.

Arguments:
- `ali_producer`: cms.PSet containing AlignmentProducer configuration

Definition at line 115 of file tools.py.

References createfilelist.int.

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 
def make_unique_runranges(ali_producer)
Definition: tools.py:115
def tools.prependPaths (   process,
  seqname 
)

Definition at line 66 of file tools.py.

Referenced by DTWorkflow.DTWorkflow.add_preselection(), and DTWorkflow.DTWorkflow.add_raw_option().

66 def prependPaths(process,seqname):
67  for path in process.paths:
68  getattr(process,path)._seq = getattr(process,seqname)*getattr(process,path)._seq
69 
def prependPaths(process, seqname)
Definition: tools.py:66
def tools.remove_existing_object (   path)
Tries to remove file or directory located at `path`. If the user
has no delete permissions, the object is moved to a backup
file. If this fails it tries 5 times in total and then asks to
perform a cleanup by a user with delete permissions.

Arguments:
- `name`: name of the object to be (re)moved

Definition at line 233 of file tools.py.

References edm.print().

Referenced by create_single_iov_db().

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)
266 
def remove_existing_object(path)
Definition: tools.py:233
S & print(S &os, JobReport::InputFile const &f)
Definition: JobReport.cc:66
def tools.replace_factors (   product_string,
  name,
  value 
)
Takes a `product_string` and replaces all factors with `name` by `value`.

Arguments:
- `product_string`: input string containing a product
- `name`: name of the factor
- `value`: value of the factor

Definition at line 194 of file tools.py.

References str.

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 
def replace_factors(product_string, name, value)
Definition: tools.py:194
#define str(s)
def tools.replaceTemplate (   template,
  opts 
)

Definition at line 10 of file tools.py.

References edm.print(), and str.

10 def replaceTemplate(template,**opts):
11  result = open(template).read()
12  for item in opts:
13  old = '@@%s@@'%item
14  new = str(opts[item])
15  print("Replacing",old,"to",new)
16  result = result.replace(old,new)
17 
18  return result
19 
def replaceTemplate(template, opts)
Definition: tools.py:10
S & print(S &os, JobReport::InputFile const &f)
Definition: JobReport.cc:66
#define str(s)
def tools.run_checked (   cmd,
  suppress_stderr = False 
)
Run `cmd` and exit in case of failures.

Arguments:
- `cmd`: list containing the strings of the command
- `suppress_stderr`: suppress output from stderr

Definition at line 68 of file tools.py.

References join(), and edm.print().

Referenced by create_single_iov_db().

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 
S & print(S &os, JobReport::InputFile const &f)
Definition: JobReport.cc:66
def run_checked(cmd, suppress_stderr=False)
Definition: tools.py:68
static std::string join(char **cmd)
Definition: RemoteFile.cc:18
def tools.stdinWait (   text,
  default,
  time,
  timeoutDisplay = None,
  kwargs 
)

Definition at line 70 of file tools.py.

References edm.print().

Referenced by CrabHelper.CrabHelper.check_crabtask().

70 def stdinWait(text, default, time, timeoutDisplay = None, **kwargs):
71  # taken and adjusted from http://stackoverflow.com/a/25860968
72  signal.signal(signal.SIGALRM, interrupt)
73  signal.alarm(time) # sets timeout
74  global timeout
75  try:
76  inp = raw_input(text)
77  signal.alarm(0)
78  timeout = False
79  except (KeyboardInterrupt):
80  printInterrupt = kwargs.get("printInterrupt", True)
81  if printInterrupt:
82  print("Keyboard interrupt")
83  timeout = True # Do this so you don't mistakenly get input when there is none
84  inp = default
85  except:
86  timeout = True
87  if not timeoutDisplay is None:
88  print(timeoutDisplay)
89  signal.alarm(0)
90  inp = default
91  return inp
92 
S & print(S &os, JobReport::InputFile const &f)
Definition: JobReport.cc:66
def stdinWait(text, default, time, timeoutDisplay=None, kwargs)
Definition: tools.py:70