/usr/bin/pegasus-create-dir is in pegasus-wms 4.4.0+dfsg-7.
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 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 596 597 598 599 600 601 602 603 604 605 606 607 608 609 610 611 612 613 614 615 616 617 618 619 620 621 622 623 624 625 626 627 628 629 | #!/usr/bin/env python
"""
Pegasus utility for creating directories for a set of protocols
Usage: pegasus-create-dir [options]
"""
##
# Copyright 2007-2011 University Of Southern California
#
# Licensed under the Apache License, Version 2.0 (the "License");
# you may not use this file except in compliance with the License.
# You may obtain a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing,
# software distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.
##
import os
import re
import sys
import errno
import logging
import optparse
import tempfile
import subprocess
import signal
import string
import stat
import time
from collections import deque
__author__ = "Mats Rynge <rynge@isi.edu>"
# --- regular expressions -------------------------------------------------------------
re_parse_url = re.compile(r'([\w]+)://([\w\.\-:@]*)(/[\S]*)')
# --- classes -------------------------------------------------------------------------
class URL:
site = None
proto = ""
host = ""
path = ""
def set_site(self, site):
if site is None:
site = ""
# the site name is used to match against shell variables, so we have
# have to replace dashes with underscores (as we do in the planner)
self.site = string.replace(site, "-", "_")
def set_url(self, url):
self.proto, self.host, self.path = self.parse_url(url)
def parse_url(self, url):
proto = ""
host = ""
path = ""
# default protocol is file://
if string.find(url, ":") == -1:
logger.debug("URL without protocol (" + url + ") - assuming file://")
url = "file://" + url
# file url is a special cases as it can contain relative paths and env vars
if string.find(url, "file:") == 0:
proto = "file"
# file urls can either start with file://[\w]*/ or file: (no //)
path = re.sub("^file:(//[\w\.\-:@]*)?", "", url)
path = expand_env_vars(path)
return proto, host, path
# other than file urls
r = re_parse_url.search(url)
if not r:
raise RuntimeError("Unable to parse URL: %s" % (url))
# Parse successful
proto = r.group(1)
host = r.group(2)
path = r.group(3)
# no double slashes in urls
path = re.sub('//+', '/', path)
return proto, host, path
def url(self):
return "%s://%s%s" % (self.proto, self.host, self.path)
def url_dirname(self):
dn = os.path.dirname(self.path)
return "%s://%s%s" % (self.proto, self.host, dn)
def parent_url(self):
parent = URL()
parent.proto = self.proto
parent.host = self.host
parent.path = os.path.dirname(self.path)
return parent
class Alarm(Exception):
pass
# --- global variables ----------------------------------------------------------------
prog_base = os.path.split(sys.argv[0])[1] # Name of this program
logger = logging.getLogger("my_logger")
# this is the map of what tool to use for a given protocol pair (src, dest)
tool_map = {}
tool_map['file' ] = 'mkdir'
tool_map['ftp' ] = 'gsiftp'
tool_map['gsiftp'] = 'gsiftp'
tool_map['irods' ] = 'irods'
tool_map['s3' ] = 's3'
tool_map['s3s' ] = 's3'
tool_map['scp' ] = 'scp'
tool_map['srm' ] = 'srm'
tool_info = {}
# --- functions -----------------------------------------------------------------------
def setup_logger(level_str):
# log to the console
console = logging.StreamHandler()
# default log level - make logger/console match
logger.setLevel(logging.INFO)
console.setLevel(logging.INFO)
# level - from the command line
level_str = level_str.lower()
if level_str == "debug":
logger.setLevel(logging.DEBUG)
console.setLevel(logging.DEBUG)
if level_str == "warning":
logger.setLevel(logging.WARNING)
console.setLevel(logging.WARNING)
if level_str == "error":
logger.setLevel(logging.ERROR)
console.setLevel(logging.ERROR)
# formatter
formatter = logging.Formatter("%(asctime)s %(levelname)7s: %(message)s")
console.setFormatter(formatter)
logger.addHandler(console)
logger.debug("Logger has been configured")
def prog_sigint_handler(signum, frame):
logger.warn("Exiting due to signal %d" % (signum))
myexit(1)
def alarm_handler(signum, frame):
raise Alarm
def expand_env_vars(s):
re_env_var = re.compile(r'\${?([a-zA-Z0-9_]+)}?')
s = re.sub(re_env_var, get_env_var, s)
return s
def get_env_var(match):
name = match.group(1)
value = ""
logger.debug("Looking up " + name)
if name in os.environ:
value = os.environ[name]
return value
def myexec(cmd_line, timeout_secs, should_log):
"""
executes shell commands with the ability to time out if the command hangs
"""
global delay_exit_code
if should_log or logger.isEnabledFor(logging.DEBUG):
logger.info(cmd_line)
sys.stdout.flush()
# set up signal handler for timeout
signal.signal(signal.SIGALRM, alarm_handler)
signal.alarm(timeout_secs)
p = subprocess.Popen(cmd_line + " 2>&1", shell=True)
try:
stdoutdata, stderrdata = p.communicate()
except Alarm:
if sys.version_info >= (2, 6):
p.terminate()
raise RuntimeError("Command '%s' timed out after %s seconds" % (cmd_line, timeout_secs))
rc = p.returncode
if rc != 0:
raise RuntimeError("Command '%s' failed with error code %s" % (cmd_line, rc))
def backticks(cmd_line):
"""
what would a python program be without some perl love?
"""
return subprocess.Popen(cmd_line, shell=True, stdout=subprocess.PIPE).communicate()[0]
def check_tool(executable, version_arg, version_regex):
# initialize the global tool info for this executable
tool_info[executable] = {}
tool_info[executable]['full_path'] = None
tool_info[executable]['version'] = None
tool_info[executable]['version_major'] = None
tool_info[executable]['version_minor'] = None
tool_info[executable]['version_patch'] = None
# figure out the full path to the executable
full_path = backticks("which " + executable + " 2>/dev/null")
full_path = full_path.rstrip('\n')
if full_path == "":
logger.info("Command '%s' not found in the current environment" %(executable))
return
tool_info[executable]['full_path'] = full_path
# version
if version_regex == None:
version = "N/A"
else:
version = backticks(executable + " " + version_arg + " 2>&1")
version = version.replace('\n', "")
re_version = re.compile(version_regex)
result = re_version.search(version)
if result:
version = result.group(1)
tool_info[executable]['version'] = version
# if possible, break up version into major, minor, patch
re_version = re.compile("([0-9]+)\.([0-9]+)(\.([0-9]+)){0,1}")
result = re_version.search(version)
if result:
tool_info[executable]['version_major'] = int(result.group(1))
tool_info[executable]['version_minor'] = int(result.group(2))
tool_info[executable]['version_patch'] = result.group(4)
if tool_info[executable]['version_patch'] == None or tool_info[executable]['version_patch'] == "":
tool_info[executable]['version_patch'] = None
else:
tool_info[executable]['version_patch'] = int(tool_info[executable]['version_patch'])
logger.info(" %-18s Version: %-7s Path: %s" % (executable, version, full_path))
def check_env_and_tools():
# PATH setup
path = "/usr/bin:/bin"
if "PATH" in os.environ:
path = os.environ['PATH']
path_entries = path.split(':')
# is /usr/bin in the path?
if not("/usr/bin" in path_entries):
path_entries.append("/usr/bin")
path_entries.append("/bin")
# fink on macos x
if os.path.exists("/sw/bin") and not("/sw/bin" in path_entries):
path_entries.append("/sw/bin")
# add our own path (basic way to get to other Pegasus tools)
my_bin_dir = os.path.normpath(os.path.join(os.path.dirname(sys.argv[0])))
if not(my_bin_dir in path_entries):
path_entries.append(my_bin_dir)
# need LD_LIBRARY_PATH for Globus tools
ld_library_path = ""
if "LD_LIBRARY_PATH" in os.environ:
ld_library_path = os.environ['LD_LIBRARY_PATH']
ld_library_path_entries = ld_library_path.split(':')
# if PEGASUS_HOME is set, prepend it to the PATH (we want it early to override other cruft)
if "PEGASUS_HOME" in os.environ:
try:
path_entries.remove(os.environ['PEGASUS_HOME'] + "/bin")
except Exception:
pass
path_entries.insert(0, os.environ['PEGASUS_HOME'] + "/bin")
# if GLOBUS_LOCATION is set, prepend it to the PATH and LD_LIBRARY_PATH
# (we want it early to override other cruft)
if "GLOBUS_LOCATION" in os.environ:
try:
path_entries.remove(os.environ['GLOBUS_LOCATION'] + "/bin")
except Exception:
pass
path_entries.insert(0, os.environ['GLOBUS_LOCATION'] + "/bin")
try:
ld_library_path_entries.remove(os.environ['GLOBUS_LOCATION'] + "/lib")
except Exception:
pass
ld_library_path_entries.insert(0, os.environ['GLOBUS_LOCATION'] + "/lib")
os.environ['PATH'] = ":".join(path_entries)
os.environ['LD_LIBRARY_PATH'] = ":".join(ld_library_path_entries)
os.environ['DYLD_LIBRARY_PATH'] = ":".join(ld_library_path_entries)
logger.info("PATH=" + os.environ['PATH'])
logger.info("LD_LIBRARY_PATH=" + os.environ['LD_LIBRARY_PATH'])
# irods requires a password hash file
os.environ['irodsAuthFileName'] = os.getcwd() + "/.irodsA"
def mkdir(url):
"""
creates a directory on a mounted file system
"""
path = url.path
if not(os.path.exists(path)):
logger.debug("Creating local directory " + path)
try:
os.makedirs(path, 0755)
except os.error, err:
# if dir already exists, ignore the error
if not(os.path.isdir(path)):
raise RuntimeError(err)
def scp(url):
"""
creates a directory using ssh
"""
cmd = "/usr/bin/ssh"
key = "SSH_PRIVATE_KEY_" + url.site
if key in os.environ:
os.environ["SSH_PRIVATE_KEY"] = os.environ[key]
if "SSH_PRIVATE_KEY" in os.environ:
cmd += " -i " + os.environ['SSH_PRIVATE_KEY']
cmd += " -o PasswordAuthentication=no"
cmd += " -o StrictHostKeyChecking=no"
cmd += " " + url.host
cmd += " '/bin/mkdir -p " + url.path + "'"
myexec(cmd, 60, True)
def gsiftp(url):
"""
create directories on gridftp servers
"""
if tool_info['pegasus-gridftp']['full_path'] == None:
raise RuntimeError("Unable to do gsiftp mkdir becuase pegasus-gridftp could not be found")
key = "X509_USER_PROXY_" + url.site
if key in os.environ:
os.environ["X509_USER_PROXY"] = os.environ[key]
# build command line for pegasus-gridftp
cmd = tool_info['pegasus-gridftp']['full_path']
cmd += " mkdir"
# make output match our current log level
if logger.isEnabledFor(logging.DEBUG):
cmd += " -v"
cmd += " -f"
cmd += " -p"
cmd += " " + url.url()
try:
myexec(cmd, 60, True)
except:
# pegasus-gridftp has a new stricter hostcert check - if it
# fails, try globus-url-copy
if tool_info['globus-url-copy']['full_path'] == None:
raise RuntimeError("Unable to do gsiftp mkdir because globus-url-copy could not be found")
cmd = tool_info['globus-url-copy']['full_path']
cmd += " -create-dest"
cmd += " file:///dev/null"
cmd += " " + url.url() + "/.create-dir"
myexec(cmd, 60, True)
def irods_login():
"""
log in to irods by using the iinit command - if the file already exists,
we are already logged in
"""
f = os.environ['irodsAuthFileName']
if os.path.exists(f):
return
key = "irodsEnvFile_" + url.site
if key in os.environ:
os.environ["irodsEnvFile"] = os.environ[key]
# read password from env file
if not "irodsEnvFile" in os.environ:
raise RuntimeError("Missing irodsEnvFile - unable to do irods transfers")
password = None
h = open(os.environ['irodsEnvFile'], 'r')
for line in h:
items = line.split(" ", 2)
if items[0].lower() == "irodspassword":
password = items[1].strip(" \t'\"\r\n")
h.close()
if password == None:
raise RuntimeError("No irodsPassword specified in irods env file")
h = open(".irodsAc", "w")
h.write(password + "\n")
h.close()
cmd = "cat .irodsAc | iinit"
myexec(cmd, 60*60, True)
os.unlink(".irodsAc")
def irods(url):
"""
irods - use the icommands to interact with irods
"""
if tool_info['imkdir']['full_path'] == None:
raise RuntimeError("Unable to do irods create dir because imkdir could not be found in the current path")
# log in to irods
try:
irods_login()
except Exception, loginErr:
logger.error(loginErr)
raise RuntimError("Unable to log into irods")
cmd = "imkdir -p " + url.path
myexec(cmd, 60, True)
def srm(url):
"""
We suppoer two tools: lcg-utils and bestman srm. lcg-utils is preferred.
"""
key = "X509_USER_PROXY_" + url.site
if key in os.environ:
os.environ["X509_USER_PROXY"] = os.environ[key]
if tool_info['lcg-cp']['full_path'] != None:
srm_lcgcp(url)
elif tool_info['srm-mkdir']['full_path'] != None:
srm_srmmkdir(url)
else:
raise RuntimeError("Unable to do srm mkdir becuase lcg-cp/srm-mkdir could not be found")
def srm_lcgcp(url):
"""
implements mkdir using lcg-cp (there is no mkdir in the lcg utils, but cp creates dirs)
"""
logger.info("Using lcg-cp as the LCG tools do not have a good mkdir")
ts = time.time()
cmd = "lcg-cp -b -D srmv2 file:///bin/true %s/.empty.%f" %(url.url(), ts)
myexec(cmd, 60, True)
def srm_srmmkdir(url):
"""
implements recursive mkdir as srm-mkdir can not handle it
"""
# if the directory exists, just return
cmd = "srm-ls %s >/dev/null" %(url.url())
try:
myexec(cmd, 60, True)
return
except Exception, err:
logger.info("Directory %s does not exist yet" % (url.path))
# back down to a directory which exists
one_up = url.parent_url()
if one_up.path != "/":
srm_srmmkdir(one_up)
cmd = "srm-mkdir %s" %(url.url())
myexec(cmd, 60, True)
def s3(url):
"""
s3 - uses pegasus-s3 to interact with Amazon S3
"""
if tool_info['pegasus-s3']['full_path'] == None:
raise RuntimeError("Unable to do S3 mkdir becuase pegasus-s3 could not be found")
key = "S3CFG_" + url.site
if key in os.environ:
os.environ["S3CFG"] = os.environ[key]
# extract the bucket part
re_bucket = re.compile(r'(s3(s){0,1}://\w+@\w+/+[\w\-]+)')
bucket = url.url()
r = re_bucket.search(bucket)
if r:
bucket = r.group(1)
else:
raise RuntimeError("Unable to parse bucket: %s" % (bucket))
# first ensure that the bucket exists
cmd = "pegasus-s3 mkdir %s" %(bucket)
try:
myexec(cmd, 60, True)
except Exception, err:
logger.warn("mkdir failed - possibly due to the bucket already existing, so continuing...")
def create_dir(url):
"""
handles the creation of a directory
"""
try:
if tool_map.has_key(url.proto):
tool = tool_map[url.proto]
if tool == "mkdir":
mkdir(url)
elif tool == "scp":
scp(url)
elif tool == "gsiftp":
check_tool("pegasus-gridftp", "", None)
check_tool("globus-url-copy", "-version", "globus-url-copy: ([\.0-9a-zA-Z]+)")
gsiftp(url)
elif tool == "irods":
check_tool("imkdir", "-h", "Version[ \t]+([\.0-9a-zA-Z]+)")
irods(url)
elif tool == "srm":
check_tool("lcg-cp", "--version", "lcg_util-([\.0-9a-zA-Z]+)")
check_tool("srm-mkdir", "-version", "srm-mkdir[ \t]+([\.0-9a-zA-Z]+)")
srm(url)
elif tool == "s3":
check_tool("pegasus-s3", "help", None)
s3(url)
else:
logger.critical("Error: No mapping for the tool '%s'" %(tool))
myexit(1)
else:
logger.critical("Error: This tool does not know how to create a directory for %s://" % (url.proto))
myexit(1)
except RuntimeError, err:
logger.critical(err)
myexit(1)
def myexit(rc):
"""
system exit without a stack trace - silly python
"""
try:
sys.exit(rc)
except SystemExit:
sys.exit(rc)
# --- main ----------------------------------------------------------------------------
# dup stderr onto stdout
sys.stderr = sys.stdout
# Configure command line option parser
prog_usage = "usage: %s [options]" % (prog_base)
parser = optparse.OptionParser(usage=prog_usage)
parser.add_option("-l", "--loglevel", action = "store", dest = "log_level",
help = "Log level. Valid levels are: debug,info,warning,error, Default is info.")
parser.add_option("-s", "--site", action = "store", dest = "site",
help = "Site name for the target site")
parser.add_option("-u", "--url", action = "store", dest = "url",
help = "URL for the directory to create")
# Parse command line options
(options, args) = parser.parse_args()
if options.log_level == None:
options.log_level = "info"
setup_logger(options.log_level)
if options.url == None:
logger.critical("Please specify the URL for the directory to create")
myexit(1)
# Die nicely when asked to (Ctrl+C, system shutdown)
signal.signal(signal.SIGINT, prog_sigint_handler)
# check environment and tools
try:
check_env_and_tools()
except Exception, err:
logger.critical(err)
myexit(1)
url = URL()
url.set_site(options.site)
url.set_url(options.url)
try:
create_dir(url)
except Exception, err:
logger.critical(err)
logger.critical("Directory not created!")
myexit(1)
logger.info("Directory created")
myexit(0)
|