CMS 3D CMS Logo

popcon2dropbox.py
Go to the documentation of this file.
1 import subprocess
2 import json
3 import netrc
4 import sqlite3
5 import os
6 import sys
7 import shutil
8 import logging
9 from datetime import datetime
10 
11 errorInImportFileFolder = 'import_errors'
12 dateformatForFolder = "%Y-%m-%d-%H-%M-%S"
13 dateformatForLabel = "%Y-%m-%d %H:%M:%S"
14 
15 auth_path_key = 'COND_AUTH_PATH'
16 
17 messageLevelEnvVar = 'POPCON_LOG_LEVEL'
18 fmt_str = "[%(asctime)s] %(levelname)s: %(message)s"
19 logLevel = logging.INFO
20 if messageLevelEnvVar in os.environ:
21  levStr = os.environ[messageLevelEnvVar]
22  if levStr == 'DEBUG':
23  logLevel = logging.DEBUG
24 logFormatter = logging.Formatter(fmt_str)
25 logger = logging.getLogger()
26 logger.setLevel(logLevel)
27 consoleHandler = logging.StreamHandler(sys.stdout)
28 consoleHandler.setFormatter(logFormatter)
29 logger.addHandler(consoleHandler)
30 
31 def checkFile( dbName ):
32  dbFileName = '%s.db' %dbName
33  # check if the expected input file is there...
34  # exit code < 0 => error
35  # exit code = 0 => skip
36  # exit code = 1 => import
37  if not os.path.exists( dbFileName ):
38  logger.error('The file expected as an input %s has not been found.'%dbFileName )
39  return -1
40 
41  empty = True
42  try:
43  dbcon = sqlite3.connect( dbFileName )
44  dbcur = dbcon.cursor()
45  dbcur.execute('SELECT * FROM IOV')
46  rows = dbcur.fetchall()
47  for r in rows:
48  empty = False
49  dbcon.close()
50  if empty:
51  logger.warning('The file expected as an input %s contains no data. The import will be skipped.'%dbFileName )
52  return 0
53  return 1
54  except Exception as e:
55  logger.error('Check on input data failed: %s' %str(e))
56  return -2
57 
58 def saveFileForImportErrors( datef, dbName, withMetadata=False ):
59  # save a copy of the files in case of upload failure...
60  leafFolderName = datef.strftime(dateformatForFolder)
61  fileFolder = os.path.join( errorInImportFileFolder, leafFolderName)
62  if not os.path.exists(fileFolder):
63  os.makedirs(fileFolder)
64  df= '%s.db' %dbName
65  dataDestFile = os.path.join( fileFolder, df)
66  if not os.path.exists(dataDestFile):
67  shutil.copy2(df, dataDestFile)
68  if withMetadata:
69  mf= '%s.txt' %dbName
70  metadataDestFile = os.path.join( fileFolder, mf )
71  if not os.path.exists(metadataDestFile):
72  shutil.copy2(df, metadataDestFile)
73  logger.error("Upload failed. Data file and metadata saved in folder '%s'" %os.path.abspath(fileFolder))
74 
75 def upload( args, dbName ):
76  destDb = args.destDb
77  destTag = args.destTag
78  comment = args.comment
79 
80  datef = datetime.now()
81 
82  # first remove any existing metadata file...
83  if os.path.exists( '%s.txt' %dbName ):
84  logger.debug('Removing already existing file %s' %dbName)
85  os.remove( '%s.txt' %dbName )
86 
87  # dump Metadata for the Upload
88  uploadMd = {}
89  uploadMd['destinationDatabase'] = destDb
90  tags = {}
91  tagInfo = {}
92  tags[ destTag ] = tagInfo
93  uploadMd['destinationTags'] = tags
94  uploadMd['inputTag'] = destTag
95  uploadMd['since'] = None
96  datelabel = datef.strftime(dateformatForLabel)
97  commentStr = ''
98  if not comment is None:
99  commentStr = comment
100  uploadMd['userText'] = '%s : %s' %(datelabel,commentStr)
101  with open( '%s.txt' %dbName, 'wb') as jf:
102  jf.write( json.dumps( uploadMd, sort_keys=True, indent = 2 ) )
103  jf.write('\n')
104 
105  # run the upload
106  uploadCommand = 'uploadConditions.py %s' %dbName
107  ret = 0
108  try:
109  pipe = subprocess.Popen( uploadCommand, shell=True, stdout=subprocess.PIPE, stderr=subprocess.STDOUT )
110  stdout = pipe.communicate()[0]
111  print stdout
112  retCode = pipe.returncode
113  if retCode != 0:
114  saveFileForImportErrors( datef, dbName, True )
115  ret |= retCode
116  except Exception as e:
117  ret |= 1
118  logger.error(str(e))
119  return ret
120 
121 def copy( args, dbName ):
122  dbFileName = '%s.db' %dbName
123  destDb = args.destDb
124  destTag = args.destTag
125  comment = args.comment
126 
127  datef = datetime.now()
128  destMap = { "oracle://cms_orcoff_prep/cms_conditions": "oradev", "oracle://cms_orcon_prod/cms_conditions": "onlineorapro" }
129  if destDb.lower() in destMap.keys():
130  destDb = destMap[destDb.lower()]
131  else:
132  if destDb.startswith('sqlite'):
133  destDb = destDb.split(':')[1]
134  else:
135  logger.error( 'Destination connection %s is not supported.' %destDb )
136  return
137  # run the copy
138  note = '"Importing data with O2O execution"'
139  commandOptions = '--force --yes --db %s copy %s %s --destdb %s --synchronize --note %s' %(dbFileName,destTag,destTag,destDb,note)
140  copyCommand = 'conddb %s' %commandOptions
141  logger.info( 'Executing command: %s' %copyCommand )
142  try:
143  pipe = subprocess.Popen( copyCommand, shell=True, stdout=subprocess.PIPE, stderr=subprocess.STDOUT )
144  stdout = pipe.communicate()[0]
145  print stdout
146  retCode = pipe.returncode
147  if retCode != 0:
148  saveFileForImportErrors( datef, dbName )
149  ret = retCode
150  except Exception as e:
151  ret = 1
152  logger.error( str(e) )
153  return ret
154 
155 def run( args ):
156 
157  dbName = datetime.utcnow().strftime('%Y-%m-%d_%H-%M-%S-%f')
158  dbFileName = '%s.db' %dbName
159 
160  if args.auth is not None and not args.auth=='':
161  if auth_path_key in os.environ:
162  logger.warning("Cannot set authentication path to %s in the environment, since it is already set." %args.auth)
163  else:
164  logger.info("Setting the authentication path to %s in the environment." %args.auth)
165  os.environ[auth_path_key]=args.auth
166  if os.path.exists( '%s.db' %dbName ):
167  logger.info("Removing files with name %s" %dbName )
168  os.remove( '%s.db' %dbName )
169  if os.path.exists( '%s.txt' %dbName ):
170  os.remove( '%s.txt' %dbName )
171  command = 'cmsRun %s ' %args.job_file
172  command += ' targetFile=%s' %dbFileName
173  command += ' destinationDatabase=%s' %args.destDb
174  command += ' destinationTag=%s' %args.destTag
175  command += ' 2>&1'
176  pipe = subprocess.Popen( command, shell=True, stdout=subprocess.PIPE, stderr=subprocess.STDOUT )
177  stdout = pipe.communicate()[0]
178  retCode = pipe.returncode
179  print stdout
180  logger.info('PopCon Analyzer return code is: %s' %retCode )
181  if retCode!=0:
182  logger.error( 'O2O job failed. Skipping upload.' )
183  return retCode
184 
185  ret = checkFile( dbName )
186  if ret > 0:
187  if args.copy:
188  ret = copy( args, dbName )
189  else:
190  ret = upload( args, dbName )
191  os.remove( '%s.db' %dbName )
192  return ret
def saveFileForImportErrors(datef, dbName, withMetadata=False)
def copy(args, dbName)
def upload(args, dbName)
def checkFile(dbName)
#define str(s)