/usr/lib/python/astrometry/util/casjobs.py is in astrometry.net 0.46-0ubuntu2.
This file is owned by root:root, with mode 0o755.
The actual contents of the file can be viewed below.
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 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 | #! /usr/bin/env python
import sys
import httplib
httplib.HTTPConnection.debuglevel = 1
import urllib
import urllib2
#from xml.parsers import expat
import xml.dom
from xml.dom import minidom
import pickle
import os
import os.path
import re
import time
from numpy import *
from astrometry.util.sqlcl import query as casquery
from astrometry.util.file import *
class Cas(object):
def __init__(self, **kwargs):
self.params = kwargs
def get_url(self, relurl):
return self.params['base_url'] + relurl
def login_url(self):
return self.get_url('login.aspx')
def submit_url(self):
return self.get_url(self.params['submiturl'])
def mydb_url(self):
return self.get_url('MyDB.aspx')
def mydb_index_url(self):
return self.get_url('mydbindex.aspx')
def mydb_action_url(self):
return self.get_url(self.params['actionurl'])
def drop_url(self):
return self.get_url('DropTable.aspx?tableName=%s')
def output_url(self):
return self.get_url('Output.aspx')
def job_details_url(self):
return self.get_url('jobdetails.aspx?id=%i')
def cancel_url(self):
return self.get_url('cancelJob.aspx')
def submit_query(self, sql, table='', taskname='', dbcontext=None):
if dbcontext is None:
dbcontext = self.params['defaultdb']
# MAGIC
data = urllib.urlencode({
'targest': dbcontext,
'sql': sql,
'queue': 500,
'syntax': 'false',
'table': table,
'taskname': taskname,
})
f = urllib2.urlopen(self.submit_url(), data)
doc = f.read()
redirurl = f.geturl()
# older CasJobs version redirects to the job details page:
# just pull the jobid out of the redirected URL.
print 'Redirected to URL', redirurl
pat = re.escape(self.job_details_url().replace('%i','')) + '([0-9]*)'
#print 'pattern:', pat
m = re.match(pat, redirurl)
if m is not None:
jobid = int(m.group(1))
print 'jobid:', jobid
return jobid
#write_file(doc, 'sub.out')
xmldoc = minidom.parseString(doc)
jobids = xmldoc.getElementsByTagName('jobid')
if len(jobids) == 0:
print 'No <jobid> tag found:'
print doc
return None
if len(jobids) > 1:
print 'Multiple <jobid> tags found:'
print doc
return None
jobid = jobids[0]
if not jobid.hasChildNodes():
print '<jobid> tag has no child node:'
print doc
return None
jobid = jobid.firstChild
if jobid.nodeType != xml.dom.Node.TEXT_NODE:
print 'job id is not a text node:'
print doc
return None
jobid = int(jobid.data)
if jobid == -1:
# Error: find error message.
print 'Failed to submit query. Looking for error message...'
founderr = False
msgs = xmldoc.getElementsByTagName('message')
for msg in msgs:
if msg.hasChildNodes():
c = msg.firstChild
if c.nodeType == xml.dom.Node.TEXT_NODE:
print 'Error message:', c.data
founderr = True
if not founderr:
print 'Error message not found. Whole response document:'
print
print doc
print
return jobid
def login(self, username, password):
print 'Logging in.'
data = urllib.urlencode({'userid': username, 'password': password})
f = urllib2.urlopen(self.login_url(), data)
d = f.read()
# headers = f.info()
# print 'headers:', headers
# print 'Got response:'
# print d
return None
def cancel_job(self, jobid):
data = urllib.urlencode({'id': jobid, 'CancelJob': 'Cancel Job'})
f = urllib2.urlopen(self.cancel_url(), data)
f.read()
# Returns 'Finished', 'Ready', 'Started', 'Failed', 'Cancelled'
def get_job_status(self, jobid):
# print 'Getting job status for', jobid
url = self.job_details_url() % jobid
print 'Job details URL:', url
doc = urllib2.urlopen(url).read()
for line in doc.split('\n'):
for stat in ['Finished', 'Ready', 'Started', 'Failed', 'Cancelled']:
if ('<td > <p class = "%s">%s</p></td>' %(stat,stat) in line or
#'<td > <p class="%s">%s</p></td>' %(stat,stat) in line or
'<p class="%s">%s</p>' % (stat,stat) in line or
'<td class="center"> <p class = "%s">%s</p></td>' %(stat,stat) in line or
'<td class="center"> <p class = "%s">Running</p></td>' %(stat) in line): # Galex "Started"/Running
return stat
return None
def drop_table(self, dbname):
url = self.drop_url() % dbname
try:
f = urllib2.urlopen(url)
except Exception,e:
print 'Failed to drop table', dbname
print e
return False
doc = f.read()
(vs,ev) = get_viewstate_and_eventvalidation(doc)
data = urllib.urlencode({'yesButton':'Yes',
'__EVENTVALIDATION':ev,
'__VIEWSTATE':vs})
print 'Dropping table', dbname
try:
f = urllib2.urlopen(url, data)
except Exception,e:
print 'Failed to drop table', dbname
print e
return False
d = f.read()
# print 'Got response:'
# print d
# write_file(d, 'res.html')
return True
def request_output(self, mydbname):
url = self.mydb_action_url() % mydbname
try:
# Need to prime the VIEWSTATE by "clicking" through...
f = urllib2.urlopen(self.mydb_url())
f.read()
f = urllib2.urlopen(self.mydb_index_url())
f.read()
# request = urllib2.Request(url)
# request.add_header('User-Agent', 'Mozilla/5.0 (X11; U; Linux i686; en-US; rv:1.9.0.11) Gecko/2009060214 Firefox/3.0.11')
# f = urllib2.urlopen(request)
# Referer: http://galex.stsci.edu/casjobs/mydbindex.aspx
f = urllib2.urlopen(url)
except urllib2.HTTPError,e:
print 'HTTPError:', e
print ' code', e.code
print ' msg', e.msg
print ' hdrs', e.hdrs
print ' data:', e.fp.read()
raise e
doc = f.read().strip()
# write_file(doc, 'r1.html')
(vs,ev) = get_viewstate_and_eventvalidation(doc)
data = {'extractDDL':'FITS', 'Button1':'Go',
'__VIEWSTATE':vs}
if ev is not None:
data['__EVENTVALIDATION'] = ev
extra = self.params.get('request_output_extra')
if extra is not None:
data.update(extra)
print 'requesting FITS output of MyDB table', mydbname
print 'url', url
print 'data', urllib.urlencode(data)
try:
f = urllib2.urlopen(url, urllib.urlencode(data))
except urllib2.HTTPError,e:
print 'HTTPError:', e
print ' code', e.code
# print ' reason', e.reason
raise e
d = f.read()
# print 'Got response:'
# print d
# write_file(d, 'res.html')
return
def get_ready_outputs(self):
url = self.output_url()
print 'Hitting output URL', url
f = urllib2.urlopen(url)
doc = f.read()
write_file(doc, 'ready.html')
print 'Wrote ready downloads to ready.html'
urls = []
fns = []
# split into successful and failed parts
ifailed = doc.index('Failed Output:')
if ifailed > -1:
failed = doc[ifailed:]
doc = doc[:ifailed]
else:
failed = ''
rex = re.compile('<a href="(' + re.escape(self.params['outputbaseurl']) + '(.*))">Download</a>')
for line in doc.split('\n'):
m = rex.search(line)
if not m:
continue
urls.append(m.group(1))
fns.append(m.group(2))
fails = []
rex = re.compile(r'^\s*<td>(.*?)</td><td>.*?</td><td>(.*?)</td><td>(.*?)</td>', flags=re.MULTILINE | re.DOTALL)
for m in rex.finditer(failed):
tab = m.group(1)
if '<br>' in tab:
continue
msg = m.group(3).replace('\r', ' ').replace('\n', ' ')
fails.append((tab, m.group(2), msg))
# ( table name, date string, failure message )
return (urls, fns, fails)
def sql_to_fits(self, sql, outfn, dbcontext=None, sleeptime=10):
import random
dbname = ''.join(chr(ord('A') + random.randrange(26))
for x in range(10))
if sql.lower().startswith('select '):
sql = 'select into mydb.%s' % dbname + sql[6:]
print 'Submitting query: "%s"' % sql
if dbcontext is not None:
kwargs = dict(dbcontext=dbcontext)
else:
kwargs = {}
jid = self.submit_query(sql, **kwargs)
print 'Submitted job id', jid
print 'Waiting for job id:', jid
while True:
jobstatus = self.get_job_status(jid)
print 'Job id', jid, 'is', jobstatus
if jobstatus in ['Finished', 'Failed', 'Cancelled']:
break
print 'Sleeping...'
time.sleep(sleeptime)
print 'Output-downloads-delete'
dodelete = True
self.output_and_download([dbname], [outfn], dodelete)
# Requests output of the given list of databases, waits for them to appear,
# downloads them, and writes them to the given list of local filenames.
#
# 'dbs' and 'fns' must be either strings,
# or lists of string of the same length.
#
# If 'dodelete' is True, the databases will be deleted after download.
#
def output_and_download(self, dbs, fns, dodelete=False, sleeptime=10,
raiseonfail=True):
if type(dbs) is str:
dbs = [dbs]
assert(type(fns) is str)
fns = [fns]
# copy lists
dbs = dbs[:]
fns = fns[:]
print 'Getting list of available downloads...'
(preurls,nil,prefails) = self.get_ready_outputs()
#print 'Preurls:', preurls
#print 'Prefails:', prefails
for db in dbs:
print 'Requesting output of', db
self.request_output(db)
while True:
print 'Waiting for output to appear...'
(durls,dfns,dfails) = self.get_ready_outputs()
(newurls, newfns) = find_new_outputs(durls, dfns, preurls)
#print 'URLs:', durls
#print 'New URLs:', newurls
print 'New outputs available:', newfns
newfails = [f for f in dfails if not f in prefails]
print 'New failures:', newfails
for (fn,db) in zip(fns,dbs):
for (dfn,durl) in zip(newfns,newurls):
# the filename will contain the db name.
if not db in dfn:
continue
print 'Output', dfn, 'looks like it belongs to database', db
print 'Downloading to local file', fn
cmd = 'wget -O "%s" "%s"' % (fn, durl)
print ' (running: "%s")' % cmd
w = os.system(cmd)
if not os.WIFEXITED(w) or os.WEXITSTATUS(w):
print 'download failed.'
return -1
dbs.remove(db)
fns.remove(fn)
if dodelete:
print 'Deleting database', db
self.drop_table(db)
for (fn,db) in zip(fns,dbs):
for tab,date,msg in newfails:
if db != tab:
continue
print 'Failure:', tab, 'date', date, 'message', msg
print 'looks like it belongs to database', db
dbs.remove(db)
fns.remove(fn)
if raiseonfail:
raise RuntimeError('Error from CasJobs on output of table "%s": "%s"' % (db, msg))
if not len(dbs):
break
print 'Waiting...'
time.sleep(sleeptime)
return 0
def get_viewstate_and_eventvalidation(doc):
rex = re.compile('<input type="hidden" name="__VIEWSTATE" (?:id="__VIEWSTATE" )?value="(.*)" />')
vs = None
for line in doc.split('\n'):
m = rex.search(line)
if not m:
continue
vs = m.group(1)
break
rex = re.compile('<input type="hidden" name="__EVENTVALIDATION" id="__EVENTVALIDATION" value="(.*)" />')
ev = None
for line in doc.split('\n'):
m = rex.search(line)
if not m:
continue
ev = m.group(1)
break
return (vs,ev)
def query(sql):
f = casquery(sql)
header = f.readline().strip()
if header.startswith('ERROR'):
raise RuntimeError('SQL error: ' + f.read())
cols = header.split(',')
results = []
for line in f:
words = line.strip().split(',')
row = []
for w in words:
try:
ival = int(w)
row.append(ival)
continue
except ValueError:
pass
try:
fval = float(w)
row.append(fval)
continue
except ValueError:
pass
row.append(w)
results.append(row)
return (cols, results)
def setup_cookies():
cookie_handler = urllib2.HTTPCookieProcessor()
opener = urllib2.build_opener(cookie_handler)
# ...and install it globally so it can be used with urlopen.
urllib2.install_opener(opener)
def find_new_outputs(durls, dfns, preurls):
newurls = [u for u in durls if not u in preurls]
newfns = [f for (f,u) in zip(dfns,durls) if not u in preurls]
return (newurls, newfns)
def get_known_servers():
return {
'galex': Cas(
base_url='http://galex.stsci.edu/casjobs/',
submiturl='SubmitJob.aspx',
actionurl='mydbcontent.aspx?tableName=%s&kind=tables',
defaultdb='GALEXGR4Plus5',
outputbaseurl='http://mastweb.stsci.edu/CasOutPut/FITS/'
),
# SDSS
'dr7': Cas(
base_url='http://casjobs.sdss.org/CasJobs/',
submiturl='submitjobhelper.aspx',
actionurl='mydbcontent.aspx?ObjName=%s&ObjType=TABLE&context=MyDB&type=normal',
defaultdb='DR7',
request_output_extra={ 'targetDDL':'TargDR7Long' },
outputbaseurl='http://casjobs.sdss.org/CasJobsOutput2/FITS/'
),
# SDSS
'dr8': Cas(
# These will change...
base_url='http://skyserver.sdss3.org/casjobs/',
# base_url='http://skyservice.pha.jhu.edu/casjobs/',
submiturl='submitjobhelper.aspx',
actionurl='mydbcontent.aspx?ObjName=%s&ObjType=TABLE&context=MyDB&type=normal',
defaultdb='DR8',
#request_output_extra={ 'targetDDL':'Thumper_DR7' },
outputbaseurl='http://skyservice.pha.jhu.edu/CasJobsOutput/FITS/'
),
'dr9': Cas(
# These will change...
base_url='http://skyserver.sdss3.org/casjobs/',
submiturl='submitjobhelper.aspx',
actionurl='mydbcontent.aspx?ObjName=%s&ObjType=TABLE&context=MyDB&type=normal',
defaultdb='DR9',
outputbaseurl='http://skyservice.pha.jhu.edu/CasJobsOutput/FITS/'
),
}
if __name__ == '__main__':
from optparse import OptionParser
surveys = get_known_servers()
parser = OptionParser(usage=('%prog <options> <args>'))
parser.add_option('-s', '--survey', dest='survey', default='dr7',
help=('Set the CasJobs instance to use: one of: ' +
', '.join(surveys.keys())))
parser.add_option('-c', '--context', '--db', dest='dbcontext',
help='Database context ("DR7", "Stripe82", etc)')
opt,args = parser.parse_args()
cas = surveys[opt.survey]
if len(args) < 2:
print '%s <username> <password> [command <args>]' % sys.argv[0]
print
print 'commands include:'
print ' sqltofits (<sql> or <@sql-file>) output.fits'
print ' delete <database> [...]'
print ' query ( <sql> or <@sqlfile> ) [...]'
print ' querywait ( <sql> or <@sqlfile> ) [...]'
print ' -> submit query and wait for it to finish'
print ' output <database> [...]'
print ' -> request that a database be output as a FITS table'
print ' outputdownload <database> <filename> [...]'
print ' -> request output, wait for it to finish, and download to <filename>'
print ' outputdownloaddelete <database> <filename> [...]'
print ' -> request output, wait for it to finish, download to <filename>, and drop table.'
sys.exit(-1)
instance = 4
username = args[0]
password = args[1]
cmd = None
if len(args) > 2:
cmd = args[2]
setup_cookies()
cas.login(username, password)
if cmd == 'delete':
if len(args) < 4:
print 'Usage: ... delete <db>'
sys.exit(-1)
db = args[3]
print 'Dropping', db
cas.drop_table(db)
sys.exit(0)
if cmd in ['query', 'querywait']:
qs = args[3:]
if len(qs) == 0:
print 'Usage: ... query <sql> or <@file> [...]'
sys.exit(-1)
jids = []
for q in qs:
if q.startswith('@'):
q = read_file(q[1:])
print 'Submitting query: "%s"' % q
jobid = cas.submit_query(q, dbcontext=opt.dbcontext)
print 'Submitted job id', jobid
jids.append(jobid)
if cmd in ['querywait']:
# wait for them to finish.
while True:
print 'Waiting for job ids:', jids
for jid in jids:
jobstatus = cas.get_job_status(jid)
print 'Job id', jid, 'is', jobstatus
if jobstatus in ['Finished', 'Failed', 'Cancelled']:
jids.remove(jid)
if not len(jids):
break
print 'Sleeping...'
time.sleep(10)
sys.exit(0)
if cmd == 'sqltofits':
if len(args) != 5:
print 'Usage: ... sqltofits [<sql> or <@file>] output.fits'
sys.exit(-1)
q = args[3]
outfn = args[4]
if q.startswith('@'):
q = read_file(q[1:])
cas.sql_to_fits(q, outfn, dbcontext=opt.dbcontext)
sys.exit(0)
if cmd == 'output':
dbs = args[3:]
if len(dbs) == 0:
print 'Usage: ... output <db> [<db> ...]'
sys.exit(-1)
for db in dbs:
print 'Requesting output of db', db
cas.request_output(db)
sys.exit(0)
if cmd in ['outputdownload', 'outputdownloaddelete']:
dodelete = (cmd == 'outputdownloaddelete')
dbfns = args[3:]
if len(dbfns) == 0 or len(dbfns) % 2 == 1:
print 'Usage: ... outputdownload <db> <filename> [...]'
sys.exit(-1)
dbs = dbfns[0::2]
fns = dbfns[1::2]
cas.output_and_download(dbs, fns, dodelete)
sys.exit(0)
print 'Unrecognized command'
|