test
CMS 3D CMS Logo

 All Classes Namespaces Files Functions Variables Typedefs Enumerations Enumerator Properties Friends Macros Pages
Classes | Functions | Variables
uploadConditions Namespace Reference

Classes

class  ConditionsUploader
 
class  HTTP
 
class  HTTPError
 

Functions

def addToTarFile
 
def getCredentials
 
def getInput
 
def getInputChoose
 
def getInputRepeat
 
def getInputWorkflow
 
def main
 
def re_upload
 
def runWizard
 
def testTier0Upload
 
def upload
 
def uploadAllFiles
 
def uploadTier0Files
 

Variables

string __author__ = 'Andreas Pfeiffer'
 
string __copyright__ = 'Copyright 2015, CERN CMS'
 
list __credits__ = ['Giacomo Govi', 'Salvatore Di Guida', 'Miguel Ojeda', 'Andreas Pfeiffer']
 
string __email__ = 'giacomo.govi@cern.ch'
 
string __license__ = 'Unknown'
 
string __maintainer__ = 'Giacomo Govi'
 
int __version__ = 1
 
string authPathEnvVar = 'COND_AUTH_PATH'
 
string CERN_SSO_CURL_CAPATH = '/etc/pki/tls/certs'
 
string defaultBackend = 'online'
 
string defaultDevHostname = 'cms-conddb-dev.cern.ch'
 
string defaultHostname = 'cms-conddb-prod.cern.ch'
 
string defaultNetrcHost = 'ConditionUploader'
 
string defaultTemporaryFile = 'upload.tar.bz2'
 
string defaultUrlTemplate = 'https://%s/cmsDbUpload/'
 
string defaultWorkflow = 'offline'
 
string devLogDbSrv = 'cms_orcoff_prep'
 
string logDbSchema = 'CMS_COND_DROPBOX'
 
string prodLogDbSrv = 'cms_orcoff_prod'
 
int waitForRetry = 15
 

Function Documentation

def uploadConditions.addToTarFile (   tarFile,
  fileobj,
  arcname 
)

Definition at line 438 of file uploadConditions.py.

Referenced by uploadConditions.ConditionsUploader.uploadFile().

439 def addToTarFile(tarFile, fileobj, arcname):
440  tarInfo = tarFile.gettarinfo(fileobj = fileobj, arcname = arcname)
441  tarInfo.mode = 0o400
442  tarInfo.uid = tarInfo.gid = tarInfo.mtime = 0
443  tarInfo.uname = tarInfo.gname = 'root'
444  tarFile.addfile(tarInfo, fileobj)
def uploadConditions.getCredentials (   options)

Definition at line 626 of file uploadConditions.py.

References getInput().

Referenced by uploadAllFiles().

627 def getCredentials( options ):
628 
629  username = None
630  password = None
631  netrcPath = None
632  if authPathEnvVar in os.environ:
633  authPath = os.environ[authPathEnvVar]
634  netrcPath = os.path.join(authPath,'.netrc')
635  if options.authPath is not None:
636  netrcPath = os.path.join( options.authPath,'.netrc' )
637  try:
638  # Try to find the netrc entry
639  (username, account, password) = netrc.netrc( netrcPath ).authenticators(options.netrcHost)
640  except Exception:
641  # netrc entry not found, ask for the username and password
642  logging.info(
643  'netrc entry "%s" not found: if you wish not to have to retype your password, you can add an entry in your .netrc file. However, beware of the risks of having your password stored as plaintext. Instead.',
644  options.netrcHost)
645 
646  # Try to get a default username
647  defaultUsername = getpass.getuser()
648  if defaultUsername is None:
649  defaultUsername = '(not found)'
650 
651  username = getInput(defaultUsername, '\nUsername [%s]: ' % defaultUsername)
652  password = getpass.getpass('Password: ')
653 
654  return username, password
655 
def uploadConditions.getInput (   default,
  prompt = '' 
)
Like raw_input() but with a default and automatic strip().

Definition at line 51 of file uploadConditions.py.

Referenced by getCredentials(), getInputChoose(), getInputWorkflow(), runWizard(), and uploadAllFiles().

51 
52 def getInput(default, prompt = ''):
53  '''Like raw_input() but with a default and automatic strip().
54  '''
55 
56  answer = raw_input(prompt)
57  if answer:
58  return answer.strip()
59 
60  return default.strip()
61 
def uploadConditions.getInputChoose (   optionsList,
  default,
  prompt = '' 
)
Makes the user choose from a list of options.

Definition at line 75 of file uploadConditions.py.

References getInput().

Referenced by runWizard().

75 
76 def getInputChoose(optionsList, default, prompt = ''):
77  '''Makes the user choose from a list of options.
78  '''
79 
80  while True:
81  index = getInput(default, prompt)
82 
83  try:
84  return optionsList[int(index)]
85  except ValueError:
86  logging.error('Please specify an index of the list (i.e. integer).')
87  except IndexError:
88  logging.error('The index you provided is not in the given list.')
89 
def uploadConditions.getInputRepeat (   prompt = '')
Like raw_input() but repeats if nothing is provided and automatic strip().

Definition at line 90 of file uploadConditions.py.

Referenced by runWizard().

90 
91 def getInputRepeat(prompt = ''):
92  '''Like raw_input() but repeats if nothing is provided and automatic strip().
93  '''
94 
95  while True:
96  answer = raw_input(prompt)
97  if answer:
98  return answer.strip()
99 
100  logging.error('You need to provide a value.')
101 
def uploadConditions.getInputWorkflow (   prompt = '')
Like getInput() but tailored to get target workflows (synchronization options).

Definition at line 62 of file uploadConditions.py.

References getInput().

62 
63 def getInputWorkflow(prompt = ''):
64  '''Like getInput() but tailored to get target workflows (synchronization options).
65  '''
66 
67  while True:
68  workflow = getInput(defaultWorkflow, prompt)
69 
70  if workflow in frozenset(['offline', 'hlt', 'express', 'prompt', 'pcl']):
71  return workflow
72 
73  logging.error('Please specify one of the allowed workflows. See above for the explanation on each of them.')
74 
def uploadConditions.main ( )
Entry point.

Definition at line 896 of file uploadConditions.py.

References re_upload(), and upload().

897 def main():
898  '''Entry point.
899  '''
900 
901  parser = optparse.OptionParser(usage =
902  'Usage: %prog [options] <file> [<file> ...]\n'
903  )
904 
905  parser.add_option('-d', '--debug',
906  dest = 'debug',
907  action="store_true",
908  default = False,
909  help = 'Switch on printing debug information. Default: %default',
910  )
911 
912  parser.add_option('-b', '--backend',
913  dest = 'backend',
914  default = defaultBackend,
915  help = 'dropBox\'s backend to upload to. Default: %default',
916  )
917 
918  parser.add_option('-H', '--hostname',
919  dest = 'hostname',
920  default = defaultHostname,
921  help = 'dropBox\'s hostname. Default: %default',
922  )
923 
924  parser.add_option('-u', '--urlTemplate',
925  dest = 'urlTemplate',
926  default = defaultUrlTemplate,
927  help = 'dropBox\'s URL template. Default: %default',
928  )
929 
930  parser.add_option('-f', '--temporaryFile',
931  dest = 'temporaryFile',
932  default = defaultTemporaryFile,
933  help = 'Temporary file that will be used to store the first tar file. Note that it then will be moved to a file with the hash of the file as its name, so there will be two temporary files created in fact. Default: %default',
934  )
935 
936  parser.add_option('-n', '--netrcHost',
937  dest = 'netrcHost',
938  default = defaultNetrcHost,
939  help = 'The netrc host (machine) from where the username and password will be read. Default: %default',
940  )
941 
942  parser.add_option('-a', '--authPath',
943  dest = 'authPath',
944  default = None,
945  help = 'The path of the .netrc file for the authentication. Default: $HOME',
946  )
947 
948  parser.add_option('-r', '--reUpload',
949  dest = 'reUpload',
950  default = None,
951  help = 'The hash of the file to upload again.',
952  )
953 
954  (options, arguments) = parser.parse_args()
955 
956  logLevel = logging.INFO
957  if options.debug:
958  logLevel = logging.DEBUG
959  logging.basicConfig(
960  format = '[%(asctime)s] %(levelname)s: %(message)s',
961  level = logLevel,
962  )
963 
964  if len(arguments) < 1:
965  if options.reUpload is None:
966  parser.print_help()
967  return -2
968  else:
969  return re_upload(options)
970  if options.reUpload is not None:
971  print "ERROR: options -r can't be specified on a new file upload."
972  return -2
973 
974  return upload(options, arguments)
def uploadConditions.re_upload (   options)

Definition at line 811 of file uploadConditions.py.

References edm.decode(), SiPixelLorentzAngle_cfi.read, and upload().

Referenced by main().

812 def re_upload( options ):
813  netrcPath = None
814  logDbSrv = prodLogDbSrv
815  if options.hostname == defaultDevHostname:
816  logDbSrv = devLogDbSrv
817  if options.authPath is not None:
818  netrcPath = os.path.join( options.authPath,'.netrc' )
819  try:
820  netrcKey = '%s/%s' %(logDbSrv,logDbSchema)
821  print '#netrc key=%s' %netrcKey
822  # Try to find the netrc entry
823  (username, account, password) = netrc.netrc( netrcPath ).authenticators( netrcKey )
824  except IOError as e:
825  logging.error('Cannot access netrc file.')
826  return 1
827  except Exception as e:
828  logging.error('Netrc file is invalid: %s' %str(e))
829  return 1
830  conStr = '%s/%s@%s' %(username,password,logDbSrv)
831  con = cx_Oracle.connect( conStr )
832  cur = con.cursor()
833  fh = options.reUpload
834  cur.execute('SELECT FILECONTENT, STATE FROM FILES WHERE FILEHASH = :HASH',{'HASH':fh})
835  res = cur.fetchall()
836  found = False
837  fdata = None
838  for r in res:
839  found = True
840  logging.info("Found file %s in state '%s;" %(fh,r[1]))
841  fdata = r[0].read().decode('bz2')
842  con.close()
843  if not found:
844  logging.error("No file uploaded found with hash %s" %fh)
845  return 1
846  # writing as a tar file and open it ( is there a why to open it in memory?)
847  fname = '%s.tar' %fh
848  with open(fname, "wb" ) as f:
849  f.write(fdata)
850  rname = 'reupload_%s' %fh
851  with tarfile.open(fname) as tar:
852  tar.extractall()
853  os.remove(fname)
854  dfile = 'data.db'
855  mdfile = 'metadata.txt'
856  if os.path.exists(dfile):
857  os.utime(dfile,None)
858  os.chmod(dfile,0o755)
859  os.rename(dfile,'%s.db' %rname)
860  else:
861  logging.error('Tar file does not contain the data file')
862  return 1
863  if os.path.exists(mdfile):
864  os.utime(mdfile,None)
865  os.chmod(mdfile,0o755)
866  mdata = None
867  with open(mdfile) as md:
868  mdata = json.load(md)
869  datelabel = datetime.now().strftime("%y-%m-%d %H:%M:%S")
870  if mdata is None:
871  logging.error('Metadata file is empty.')
872  return 1
873  logging.debug('Preparing new metadata file...')
874  mdata['userText'] = 'reupload %s : %s' %(datelabel,mdata['userText'])
875  with open( '%s.txt' %rname, 'wb') as jf:
876  jf.write( json.dumps( mdata, sort_keys=True, indent = 2 ) )
877  jf.write('\n')
878  os.remove(mdfile)
879  else:
880  logging.error('Tar file does not contain the metadata file')
881  return 1
882  logging.info('Files %s prepared for the upload.' %rname)
883  arguments = [rname]
884  return upload(options, arguments)
bool decode(bool &, std::string const &)
Definition: types.cc:62
def uploadConditions.runWizard (   basename,
  dataFilename,
  metadataFilename 
)

Definition at line 102 of file uploadConditions.py.

References getInput(), getInputChoose(), getInputRepeat(), and ComparisonHelper.zip().

Referenced by uploadAllFiles().

103 def runWizard(basename, dataFilename, metadataFilename):
104  while True:
105  print '''\nWizard for metadata for %s
106 
107 I will ask you some questions to fill the metadata file. For some of the questions there are defaults between square brackets (i.e. []), leave empty (i.e. hit Enter) to use them.''' % basename
108 
109  # Try to get the available inputTags
110  try:
111  dataConnection = sqlite3.connect(dataFilename)
112  dataCursor = dataConnection.cursor()
113  dataCursor.execute('select name from sqlite_master where type == "table"')
114  tables = set(zip(*dataCursor.fetchall())[0])
115 
116  # only conddb V2 supported...
117  if 'TAG' in tables:
118  dataCursor.execute('select NAME from TAG')
119  # In any other case, do not try to get the inputTags
120  else:
121  raise Exception()
122 
123  inputTags = dataCursor.fetchall()
124  if len(inputTags) == 0:
125  raise Exception()
126  inputTags = zip(*inputTags)[0]
127 
128  except Exception:
129  inputTags = []
130 
131  if len(inputTags) == 0:
132  print '\nI could not find any input tag in your data file, but you can still specify one manually.'
133 
134  inputTag = getInputRepeat(
135  '\nWhich is the input tag (i.e. the tag to be read from the SQLite data file)?\ne.g. BeamSpotObject_ByRun\ninputTag: ')
136 
137  else:
138  print '\nI found the following input tags in your SQLite data file:'
139  for (index, inputTag) in enumerate(inputTags):
140  print ' %s) %s' % (index, inputTag)
141 
142  inputTag = getInputChoose(inputTags, '0',
143  '\nWhich is the input tag (i.e. the tag to be read from the SQLite data file)?\ne.g. 0 (you select the first in the list)\ninputTag [0]: ')
144 
145  destinationDatabase = ''
146  ntry = 0
147  while ( destinationDatabase != 'oracle://cms_orcon_prod/CMS_CONDITIONS' and destinationDatabase != 'oracle://cms_orcoff_prep/CMS_CONDITIONS' ):
148  if ntry==0:
149  inputMessage = \
150  '\nWhich is the destination database where the tags should be exported? \nPossible choices: oracle://cms_orcon_prod/CMS_CONDITIONS (for prod) or oracle://cms_orcoff_prep/CMS_CONDITIONS (for prep) \ndestinationDatabase: '
151  elif ntry==1:
152  inputMessage = \
153  '\nPlease choose one of the two valid destinations: \noracle://cms_orcon_prod/CMS_CONDITIONS (for prod) or oracle://cms_orcoff_prep/CMS_CONDITIONS (for prep) \
154 \ndestinationDatabase: '
155  else:
156  raise Exception('No valid destination chosen. Bailing out...')
157  destinationDatabase = getInputRepeat(inputMessage)
158  ntry += 1
159 
160  while True:
161  since = getInput('',
162  '\nWhich is the given since? (if not specified, the one from the SQLite data file will be taken -- note that even if specified, still this may not be the final since, depending on the synchronization options you select later: if the synchronization target is not offline, and the since you give is smaller than the next possible one (i.e. you give a run number earlier than the one which will be started/processed next in prompt/hlt/express), the DropBox will move the since ahead to go to the first safe run instead of the value you gave)\ne.g. 1234\nsince []: ')
163  if not since:
164  since = None
165  break
166  else:
167  try:
168  since = int(since)
169  break
170  except ValueError:
171  logging.error('The since value has to be an integer or empty (null).')
172 
173  userText = getInput('',
174  '\nWrite any comments/text you may want to describe your request\ne.g. Muon alignment scenario for...\nuserText []: ')
175 
176  destinationTags = {}
177  while True:
178  destinationTag = getInput('',
179  '\nWhich is the next destination tag to be added (leave empty to stop)?\ne.g. BeamSpotObjects_PCL_byRun_v0_offline\ndestinationTag []: ')
180  if not destinationTag:
181  if len(destinationTags) == 0:
182  logging.error('There must be at least one destination tag.')
183  continue
184  break
185 
186  if destinationTag in destinationTags:
187  logging.warning(
188  'You already added this destination tag. Overwriting the previous one with this new one.')
189 
190  destinationTags[destinationTag] = {
191  }
192 
193  metadata = {
194  'destinationDatabase': destinationDatabase,
195  'destinationTags': destinationTags,
196  'inputTag': inputTag,
197  'since': since,
198  'userText': userText,
199  }
200 
201  metadata = json.dumps(metadata, sort_keys=True, indent=4)
202  print '\nThis is the generated metadata:\n%s' % metadata
203 
204  if getInput('n',
205  '\nIs it fine (i.e. save in %s and *upload* the conditions if this is the latest file)?\nAnswer [n]: ' % metadataFilename).lower() == 'y':
206  break
207  logging.info('Saving generated metadata in %s...', metadataFilename)
208  with open(metadataFilename, 'wb') as metadataFile:
209  metadataFile.write(metadata)
OutputIterator zip(InputIterator1 first1, InputIterator1 last1, InputIterator2 first2, InputIterator2 last2, OutputIterator result, Compare comp)
def uploadConditions.testTier0Upload ( )

Definition at line 975 of file uploadConditions.py.

References uploadTier0Files().

976 def testTier0Upload():
977 
978  global defaultNetrcHost
979 
980  (username, account, password) = netrc.netrc().authenticators(defaultNetrcHost)
981 
982  filenames = ['testFiles/localSqlite-top2']
983 
984  uploadTier0Files(filenames, username, password, cookieFileName = None)
985 
def uploadConditions.upload (   options,
  arguments 
)

Definition at line 885 of file uploadConditions.py.

References uploadAllFiles().

Referenced by main(), and re_upload().

886 def upload(options, arguments):
887  results = uploadAllFiles(options, arguments)
888 
889  if not results.has_key('status'):
890  print 'Unexpected error.'
891  return -1
892  ret = results['status']
893  print results
894  print "upload ended with code: %s" %ret
895  return ret
def uploadConditions.uploadAllFiles (   options,
  arguments 
)

Definition at line 656 of file uploadConditions.py.

References getCredentials(), getInput(), and runWizard().

Referenced by upload().

657 def uploadAllFiles(options, arguments):
658 
659  ret = {}
660  ret['status'] = 0
661 
662  # Check that we can read the data and metadata files
663  # If the metadata file does not exist, start the wizard
664  for filename in arguments:
665  basepath = filename.rsplit('.db', 1)[0].rsplit('.txt', 1)[0]
666  basename = os.path.basename(basepath)
667  dataFilename = '%s.db' % basepath
668  metadataFilename = '%s.txt' % basepath
669 
670  logging.info('Checking %s...', basename)
671 
672  # Data file
673  try:
674  with open(dataFilename, 'rb') as dataFile:
675  pass
676  except IOError as e:
677  errMsg = 'Impossible to open SQLite data file %s' %dataFilename
678  logging.error( errMsg )
679  ret['status'] = -3
680  ret['error'] = errMsg
681  return ret
682 
683  # Check the data file
684  empty = True
685  try:
686  dbcon = sqlite3.connect( dataFilename )
687  dbcur = dbcon.cursor()
688  dbcur.execute('SELECT * FROM IOV')
689  rows = dbcur.fetchall()
690  for r in rows:
691  empty = False
692  dbcon.close()
693  if empty:
694  errMsg = 'The input SQLite data file %s contains no data.' %dataFilename
695  logging.error( errMsg )
696  ret['status'] = -4
697  ret['error'] = errMsg
698  return ret
699  except Exception as e:
700  errMsg = 'Check on input SQLite data file %s failed: %s' %(dataFilename,str(e))
701  logging.error( errMsg )
702  ret['status'] = -5
703  ret['error'] = errMsg
704  return ret
705 
706  # Metadata file
707  try:
708  with open(metadataFilename, 'rb') as metadataFile:
709  pass
710  except IOError as e:
711  if e.errno != errno.ENOENT:
712  errMsg = 'Impossible to open file %s (for other reason than not existing)' %metadataFilename
713  logging.error( errMsg )
714  ret['status'] = -4
715  ret['error'] = errMsg
716  return ret
717 
718  if getInput('y', '\nIt looks like the metadata file %s does not exist. Do you want me to create it and help you fill it?\nAnswer [y]: ' % metadataFilename).lower() != 'y':
719  errMsg = 'Metadata file %s does not exist' %metadataFilename
720  logging.error( errMsg )
721  ret['status'] = -5
722  ret['error'] = errMsg
723  return ret
724  # Wizard
725  runWizard(basename, dataFilename, metadataFilename)
726 
727  # Upload files
728  try:
729  dropBox = ConditionsUploader(options.hostname, options.urlTemplate)
730 
731  # Authentication
732  username, password = getCredentials(options)
733 
734  results = {}
735  for filename in arguments:
736  backend = options.backend
737  basepath = filename.rsplit('.db', 1)[0].rsplit('.txt', 1)[0]
738  metadataFilename = '%s.txt' % basepath
739  with open(metadataFilename, 'rb') as metadataFile:
740  metadata = json.load( metadataFile )
741  # When dest db = prep the hostname has to be set to dev.
742  forceHost = False
743  destDb = metadata['destinationDatabase']
744  if destDb.startswith('oracle://cms_orcon_prod') or destDb.startswith('oracle://cms_orcoff_prep'):
745  hostName = defaultHostname
746  if destDb.startswith('oracle://cms_orcoff_prep'):
747  hostName = defaultDevHostname
748  dropBox.setHost( hostName )
749  authRet = dropBox.signIn( username, password )
750  if not authRet==0:
751  msg = "Error trying to connect to the server. Aborting."
752  if authRet==-2:
753  msg = "Error while signin in. Aborting."
754  logging.error(msg)
755  return { 'status' : authRet, 'error' : msg }
756  results[filename] = dropBox.uploadFile(filename, options.backend, options.temporaryFile)
757  else:
758  results[filename] = False
759  logging.error("DestinationDatabase %s is not valid. Skipping the upload." %destDb)
760  if not results[filename]:
761  if ret['status']<0:
762  ret['status'] = 0
763  ret['status'] += 1
764  ret['files'] = results
765  logging.debug("all files processed, logging out now.")
766 
767  dropBox.signOut()
768 
769  except HTTPError as e:
770  logging.error('got HTTP error: %s', str(e))
771  return { 'status' : -1, 'error' : str(e) }
772 
773  return ret
def uploadConditions.uploadTier0Files (   filenames,
  username,
  password,
  cookieFileName = None 
)
Uploads a bunch of files coming from Tier0.
This has the following requirements:
    * Username/Password based authentication.
    * Uses the online backend.
    * Ignores errors related to the upload/content (e.g. duplicated file).

Definition at line 774 of file uploadConditions.py.

Referenced by testTier0Upload().

775 def uploadTier0Files(filenames, username, password, cookieFileName = None):
776  '''Uploads a bunch of files coming from Tier0.
777  This has the following requirements:
778  * Username/Password based authentication.
779  * Uses the online backend.
780  * Ignores errors related to the upload/content (e.g. duplicated file).
781  '''
782 
783  dropBox = ConditionsUploader()
784 
785  dropBox.signIn(username, password)
786 
787  for filename in filenames:
788  try:
789  result = dropBox.uploadFile(filename, backend = 'test')
790  except HTTPError as e:
791  if e.code == 400:
792  # 400 Bad Request: This is an exception related to the upload
793  # being wrong for some reason (e.g. duplicated file).
794  # Since for Tier0 this is not an issue, continue
795  logging.error('HTTP Exception 400 Bad Request: Upload-related, skipping. Message: %s', e)
796  continue
797 
798  # In any other case, re-raise.
799  raise
800 
801  #-toDo: add a flag to say if we should retry or not. So far, all retries are done server-side (Tier-0),
802  # if we flag as failed any retry would not help and would result in the same error (e.g.
803  # when a file with an identical hash is uploaded again)
804  #-review(2015-09-25): get feedback from tests at Tier-0 (action: AP)
805 
806  if not result: # dropbox reported an error when uploading, do not retry.
807  logging.error('Error from dropbox, upload-related, skipping.')
808  continue
809 
810  dropBox.signOut()

Variable Documentation

string uploadConditions.__author__ = 'Andreas Pfeiffer'

Definition at line 6 of file uploadConditions.py.

string uploadConditions.__copyright__ = 'Copyright 2015, CERN CMS'

Definition at line 7 of file uploadConditions.py.

list uploadConditions.__credits__ = ['Giacomo Govi', 'Salvatore Di Guida', 'Miguel Ojeda', 'Andreas Pfeiffer']

Definition at line 8 of file uploadConditions.py.

string uploadConditions.__email__ = 'giacomo.govi@cern.ch'

Definition at line 11 of file uploadConditions.py.

string uploadConditions.__license__ = 'Unknown'

Definition at line 9 of file uploadConditions.py.

string uploadConditions.__maintainer__ = 'Giacomo Govi'

Definition at line 10 of file uploadConditions.py.

int uploadConditions.__version__ = 1

Definition at line 12 of file uploadConditions.py.

string uploadConditions.authPathEnvVar = 'COND_AUTH_PATH'

Definition at line 39 of file uploadConditions.py.

string uploadConditions.CERN_SSO_CURL_CAPATH = '/etc/pki/tls/certs'

Definition at line 228 of file uploadConditions.py.

string uploadConditions.defaultBackend = 'online'

Definition at line 29 of file uploadConditions.py.

string uploadConditions.defaultDevHostname = 'cms-conddb-dev.cern.ch'

Definition at line 31 of file uploadConditions.py.

string uploadConditions.defaultHostname = 'cms-conddb-prod.cern.ch'

Definition at line 30 of file uploadConditions.py.

string uploadConditions.defaultNetrcHost = 'ConditionUploader'

Definition at line 34 of file uploadConditions.py.

string uploadConditions.defaultTemporaryFile = 'upload.tar.bz2'

Definition at line 33 of file uploadConditions.py.

string uploadConditions.defaultUrlTemplate = 'https://%s/cmsDbUpload/'

Definition at line 32 of file uploadConditions.py.

string uploadConditions.defaultWorkflow = 'offline'

Definition at line 35 of file uploadConditions.py.

string uploadConditions.devLogDbSrv = 'cms_orcoff_prep'

Definition at line 37 of file uploadConditions.py.

string uploadConditions.logDbSchema = 'CMS_COND_DROPBOX'

Definition at line 38 of file uploadConditions.py.

string uploadConditions.prodLogDbSrv = 'cms_orcoff_prod'

Definition at line 36 of file uploadConditions.py.

int uploadConditions.waitForRetry = 15

Definition at line 40 of file uploadConditions.py.