本文整理汇总了Python中os.path.basename函数的典型用法代码示例。如果您正苦于以下问题:Python basename函数的具体用法?Python basename怎么用?Python basename使用的例子?那么恭喜您, 这里精选的函数代码示例或许可以为您提供帮助。
在下文中一共展示了basename函数的20个代码示例,这些例子默认根据受欢迎程度排序。您可以为喜欢或者感觉有用的代码点赞,您的评价将有助于我们的系统推荐出更棒的Python代码示例。
示例1: _find_in_most_specific_archive
def _find_in_most_specific_archive(self, path):
file_name = basename(path)
dir_name = dirname(path)
while len(dir_name) > 0:
archive_name = join(self.data_root, dir_name + archive_extension)
if access(archive_name, R_OK) and \
archive_name not in self.open_archives:
self.open_archives[archive_name] = ZipFile(archive_name, "r")
if archive_name in self.open_archives:
# print "expecting to find file %s in archive %s" % \
# (file_name, archive_name)
return self.open_archives[archive_name].open(file_name)
# XXX open() method is for ZipFile; would be different for
# Tar if we want to change archive type.
file_name = join(basename(dir_name), file_name)
dir_name = dirname(dir_name)
raise IOError(
"File not found (%s), not even in archive; data_root is %s" % \
(path, self.data_root)
)
开发者ID:senator,项目名称:warren,代码行数:25,代码来源:resource.py
示例2: cpMCNPproject
def cpMCNPproject(directory):
wkdir=getcwd()
if checkifMCNPproject(directory,1)==1:
return 1
elif checkifMCNPproject(wkdir,2)==2:
return 2
else:
cards = [ path.join(directory,"cards/parameters.part"),
path.join(directory,"cards/materials.part"),
path.join(directory,"cards/source.part"),
path.join(directory,"cards/tallies.part"),
path.join(directory,"cards/traslations.part")]
geom = [ path.join(directory,"geom/cells.part"),
path.join(directory,"geom/surfaces.part")]
for card in cards:
try:
copyfile(card, path.join(wkdir, "cards/",path.basename(card)))
except Exception as e:
print "\n\033[1;34mMCNPmanager cp error:\033[1;32m %s \033[0m\n" % (e)
for g in geom:
try:
copyfile(g, path.join(wkdir, "geom/",path.basename(g)))
except Exception as e:
print "\n\033[1;34mMCNPmanager cp error:\033[1;32m %s \033[0m\n" % (e)
return 0
开发者ID:ipostuma,项目名称:PyMCNPmanager,代码行数:26,代码来源:MCNPmanager.py
示例3: vars2png
def vars2png(self, wrfout_path, dom_id, ts_esmf, vars):
"""
Postprocess a list of scalar fields into KMZ files.
:param wrfout_path: WRF file to process
:param dom_id: the domain identifier
:param ts_esmf: time stamp in ESMF format
:param vars: list of variables to process
"""
# open the netCDF dataset
d = nc4.Dataset(wrfout_path)
# extract ESMF string times and identify timestamp of interest
times = [''.join(x) for x in d.variables['Times'][:]]
if ts_esmf not in times:
raise PostprocError("Invalid timestamp %s" % ts_esmf)
tndx = times.index(ts_esmf)
# build one KMZ per variable
for var in vars:
try:
outpath_base = os.path.join(self.output_path, self.product_name + ("-%02d-" % dom_id) + ts_esmf + "-" + var)
if var in ['WINDVEC']:
raster_path, coords = self._vector2png(d, var, tndx, outpath_base)
raster_name = osp.basename(raster_path)
self._update_manifest(dom_id, ts_esmf, var, { 'raster' : raster_name, 'coords' : coords})
else:
raster_path, cb_path, coords = self._scalar2png(d, var, tndx, outpath_base)
mf_upd = { 'raster' : osp.basename(raster_path), 'coords' : coords}
if cb_path is not None:
mf_upd['colorbar'] = osp.basename(cb_path)
self._update_manifest(dom_id, ts_esmf, var, mf_upd)
except Exception as e:
logging.warning("Exception %s while postprocessing %s for time %s into PNG" % (e.message, var, ts_esmf))
logging.warning(traceback.print_exc())
开发者ID:islenv,项目名称:wrfxpy,代码行数:35,代码来源:postprocessor.py
示例4: create_tag
def create_tag(self):
current_stack = inspect.stack()
stackid = 0
while basename(current_stack[stackid][1]) == 'environment.py' or basename(current_stack[stackid][1]) == 'nfs4client.py':
stackid = stackid + 1
test_name = '%s:%s' % (basename(current_stack[stackid][1]), current_stack[stackid][3])
return test_name
开发者ID:soumyakoduri,项目名称:nfs-test-suite,代码行数:7,代码来源:nfs4client.py
示例5: compile_timestamped_transcript_files
def compile_timestamped_transcript_files(json_filenames):
"""
`json_filenames` is a list of filepaths with this filename format:
00900-01000.json
where the left-number represents the starting time offset and
the right-number represents the ending time, in seconds
Each file in this list follows the Watson API standard JSON response
Returns: a dictionary that is the result of concatenating all the json files
into one, with "results" pointing to a list of all returned responses.
To maintain compatibility with Watson's API response, "result_index" key
is included and is set to 0, i.e. it'd be as if the resulting dictionary
is the response returned when sending an entire unbroken soundstream to Watson
"""
compiled_results = []
compiled_dict = {'results': compiled_results, "result_index": 0}
filenames = sorted(json_filenames, key=lambda x: int(basename(x).split('-')[0]))
for fn in filenames:
start_offset_sec = int(basename(fn).split('-')[0])
with open(fn) as f:
data = json.load(f)
for result in data['results']:
for x in result.get('word_alternatives'):
x['start_time'] += start_offset_sec
x['end_time'] += start_offset_sec
for alt in result.get('alternatives'):
for ts in alt['timestamps']:
# each timestamp object is a list:
# ["hi", 9.93, 10.11]
ts[1] += start_offset_sec
ts[2] += start_offset_sec
compiled_results.append(result)
return compiled_dict
开发者ID:Ahome7490,项目名称:watson-word-watcher,代码行数:35,代码来源:wrangle.py
示例6: copy_static_entry
def copy_static_entry(source, targetdir, builder, context={},
exclude_matchers=(), level=0):
"""Copy a HTML builder static_path entry from source to targetdir.
Handles all possible cases of files, directories and subdirectories.
"""
if exclude_matchers:
relpath = relative_path(builder.srcdir, source)
for matcher in exclude_matchers:
if matcher(relpath):
return
if path.isfile(source):
target = path.join(targetdir, path.basename(source))
if source.lower().endswith('_t') and builder.templates:
# templated!
fsrc = open(source, 'r', encoding='utf-8')
fdst = open(target[:-2], 'w', encoding='utf-8')
fdst.write(builder.templates.render_string(fsrc.read(), context))
fsrc.close()
fdst.close()
else:
copyfile(source, target)
elif path.isdir(source):
if level == 0:
for entry in os.listdir(source):
if entry.startswith('.'):
continue
copy_static_entry(path.join(source, entry), targetdir,
builder, context, level=1,
exclude_matchers=exclude_matchers)
else:
target = path.join(targetdir, path.basename(source))
if path.exists(target):
shutil.rmtree(target)
shutil.copytree(source, target)
开发者ID:AtomLaw,项目名称:Ally-Py,代码行数:35,代码来源:__init__.py
示例7: __init__
def __init__(self, current_file_path=''):
"""
FileDialog constructor.
Args:
current_file_path: the current directory or path to the open flow graph
"""
if not current_file_path: current_file_path = path.join(DEFAULT_FILE_PATH, NEW_FLOGRAPH_TITLE + Preferences.file_extension())
if self.type == OPEN_FLOW_GRAPH:
FileDialogHelper.__init__(self, gtk.FILE_CHOOSER_ACTION_OPEN, 'Open a Flow Graph from a File...')
self.add_and_set_filter(get_flow_graph_files_filter())
self.set_select_multiple(True)
elif self.type == SAVE_FLOW_GRAPH:
FileDialogHelper.__init__(self, gtk.FILE_CHOOSER_ACTION_SAVE, 'Save a Flow Graph to a File...')
self.add_and_set_filter(get_flow_graph_files_filter())
self.set_current_name(path.basename(current_file_path))
elif self.type == SAVE_CONSOLE:
FileDialogHelper.__init__(self, gtk.FILE_CHOOSER_ACTION_SAVE, 'Save Console to a File...')
self.add_and_set_filter(get_text_files_filter())
file_path = path.splitext(path.basename(current_file_path))[0]
self.set_current_name(file_path) #show the current filename
elif self.type == SAVE_IMAGE:
FileDialogHelper.__init__(self, gtk.FILE_CHOOSER_ACTION_SAVE, 'Save a Flow Graph Screen Shot...')
self.add_and_set_filter(get_image_files_filter())
current_file_path = current_file_path + IMAGE_FILE_EXTENSION
self.set_current_name(path.basename(current_file_path)) #show the current filename
elif self.type == OPEN_QSS_THEME:
FileDialogHelper.__init__(self, gtk.FILE_CHOOSER_ACTION_OPEN, 'Open a QSS theme...')
self.add_and_set_filter(get_qss_themes_filter())
self.set_select_multiple(False)
self.set_current_folder(path.dirname(current_file_path)) #current directory
开发者ID:abdijabarabdi,项目名称:gnuradio,代码行数:31,代码来源:FileDialogs.py
示例8: generate
def generate(self):
self.resources.win_to_unix()
source_files = []
for r_type, n in CoIDE.FILE_TYPES.iteritems():
for file in getattr(self.resources, r_type):
source_files.append({"name": basename(file), "type": n, "path": file})
header_files = []
for r_type, n in CoIDE.FILE_TYPES2.iteritems():
for file in getattr(self.resources, r_type):
header_files.append({"name": basename(file), "type": n, "path": file})
libraries = []
for lib in self.resources.libraries:
l, _ = splitext(basename(lib))
libraries.append(l[3:])
if self.resources.linker_script is None:
self.resources.linker_script = ""
ctx = {
"name": self.program_name,
"source_files": source_files,
"header_files": header_files,
"include_paths": self.resources.inc_dirs,
"scatter_file": self.resources.linker_script,
"library_paths": self.resources.lib_dirs,
"object_files": self.resources.objects,
"libraries": libraries,
"symbols": self.get_symbols(),
}
target = self.target.lower()
# Project file
self.gen_file("coide_%s.coproj.tmpl" % target, ctx, "%s.coproj" % self.program_name)
开发者ID:c1728p9,项目名称:mbed,代码行数:34,代码来源:coide.py
示例9: test_compare_triples
def test_compare_triples():
for mime, fext in MIME_TYPES.items():
dump_path = path.join(DUMP_DIR, path.basename(mime))
for url in URLs:
if six.PY2:
fname = '%s.%s' % (path.basename(urlparse.urlparse(url).path), fext)
else:
fname = '%s.%s' % (path.basename(urlparse(url).path), fext)
fname = path.join(dump_path, fname)
req = Request(url)
req.add_header('Accept', mime)
res = urlopen(req)
g_fdp.parse(data=res.read(), format=mime)
g_dump.parse(fname, format=mime)
both, first, second = graph_diff(g_fdp, g_dump)
n_first = len(first)
# n_second = len(second)
# n_both = len(both)
assert_equals(
n_first, 0, '{} triple(s) different from reference:\n\n{}===\n{}\n'.format(
n_first, first.serialize(format='turtle'), second.serialize(format='turtle')))
开发者ID:NLeSC,项目名称:ODEX-FAIRDataPoint,代码行数:27,代码来源:test_fdp.py
示例10: test_validate_demux_file_infer
def test_validate_demux_file_infer(self):
demux_fp, _, out_dir = self._generate_files({'s1': 'SKB2.640194',
's2': 'SKM4.640180'})
prep_info = {"1.SKB2.640194": {"not_a_run_prefix": "s1"},
"1.SKM4.640180": {"not_a_run_prefix": "s2"},
"1.SKB3.640195": {"not_a_run_prefix": "s3"},
"1.SKB6.640176": {"not_a_run_prefix": "s4"}}
files = {'preprocessed_demux': [demux_fp]}
job_id = self._create_template_and_job(
prep_info, files, "Demultiplexed")
obs_success, obs_ainfo, obs_error = _validate_demux_file(
self.qclient, job_id, prep_info, out_dir, demux_fp)
self.assertTrue(obs_success)
name = splitext(basename(demux_fp))[0]
exp_fastq_fp = join(out_dir, "%s.fastq" % name)
exp_fasta_fp = join(out_dir, "%s.fasta" % name)
exp_demux_fp = join(out_dir, basename(demux_fp))
filepaths = [
(exp_fastq_fp, 'preprocessed_fastq'),
(exp_fasta_fp, 'preprocessed_fasta'),
(exp_demux_fp, 'preprocessed_demux')]
exp = [ArtifactInfo(None, "Demultiplexed", filepaths)]
self.assertEqual(obs_ainfo, exp)
self.assertEqual(obs_error, "")
with File(exp_demux_fp) as f:
self.assertItemsEqual(f.keys(), ["1.SKB2.640194", "1.SKM4.640180"])
开发者ID:qiita-spots,项目名称:qtp-target-gene,代码行数:26,代码来源:test_validate.py
示例11: rename_file
def rename_file(self, fname):
"""Rename file"""
path, valid = QInputDialog.getText(self, _("Rename"), _("New name:"), QLineEdit.Normal, osp.basename(fname))
if valid:
path = osp.join(osp.dirname(fname), to_text_string(path))
if path == fname:
return
if osp.exists(path):
if (
QMessageBox.warning(
self,
_("Rename"),
_("Do you really want to rename <b>%s</b> and " "overwrite the existing file <b>%s</b>?")
% (osp.basename(fname), osp.basename(path)),
QMessageBox.Yes | QMessageBox.No,
)
== QMessageBox.No
):
return
try:
misc.rename_file(fname, path)
self.parent_widget.renamed.emit(fname, path)
return path
except EnvironmentError as error:
QMessageBox.critical(
self,
_("Rename"),
_("<b>Unable to rename file <i>%s</i></b>" "<br><br>Error message:<br>%s")
% (osp.basename(fname), to_text_string(error)),
)
开发者ID:sonofeft,项目名称:spyder,代码行数:30,代码来源:explorer.py
示例12: _load_rbo
def _load_rbo(self):
"""Load APC2015rbo dataset"""
dataset_dir = osp.join(this_dir, 'dataset/APC2015rbo/berlin_samples')
img_glob = osp.join(dataset_dir, '*_bin_[A-L].jpg')
desc = 'rbo'
for img_file in tqdm.tqdm(glob.glob(img_glob), ncols=80, desc=desc):
basename = osp.splitext(osp.basename(img_file))[0]
# apply mask, crop and save
bin_mask_file = re.sub('.jpg$', '.pbm', img_file)
bin_mask = imread(bin_mask_file, mode='L')
where = np.argwhere(bin_mask)
roi = where.min(0), where.max(0) + 1
id_ = osp.join('rbo', basename)
dataset_index = len(self.ids) - 1
self.datasets['rbo'].append(dataset_index)
mask_glob = re.sub('.jpg$', '_*.pbm', img_file)
mask_files = [None] * self.n_class
for mask_file in glob.glob(mask_glob):
mask_basename = osp.splitext(osp.basename(mask_file))[0]
label_name = re.sub(basename + '_', '', mask_basename)
if label_name == 'shelf':
continue
mask_files[self.target_names.index(label_name)] = mask_file
self.ids.append(id_)
self.rois.append(roi)
self.img_files.append(img_file)
self.mask_files.append(mask_files)
开发者ID:barongeng,项目名称:fcn,代码行数:27,代码来源:apc2015.py
示例13: append_deps_rootpath
def append_deps_rootpath(dep_modules_roots, search_depth=10):
"""
Append all paths described in PackageInfo.dep_modules_roots into the sys.path,
so any module in the package can be called as a main entry,
with successfully importing dependent modules of dependent package in an easy scheme:
'import <identifiable_package_root>.<sub>.<target_module>',
Which could a more intuitive usage of module import.
Be sure this function is called for the main entry script with all outer dependent
package names in the parameter 'dep_modules_roots'
"""
check_path = ospath.dirname(ospath.abspath(__file__))
dep_dirs = []
dep_remains = list(dep_modules_roots)
for i in range(search_depth):
check_path = ospath.dirname(check_path)
check_name = ospath.basename(check_path)
for dep_name in dep_remains:
if dep_name == check_name:
dep_dirs.append(check_path)
dep_remains.remove(dep_name)
if not dep_remains:
break
if dep_dirs:
for dep_dir in dep_dirs:
sys.path.append(dep_dir)
print(BColors.BLUE
+ "Append path of package:'{pkg}'".format(pkg=ospath.basename(dep_dir))
+ " for package:'{name}' to sys.path as dependent modules root."
.format(name=PackageInfo.package_name)
+ BColors.ENDC)
return [name for name in dep_modules_roots if name not in dep_remains]
else:
return None
开发者ID:nichollyn,项目名称:libspark,代码行数:35,代码来源:easy_import_.py
示例14: __init__
def __init__(self, images, delivery_types=None):
"""
Parameters
----------
images : iterable (list, tuple, etc)
A sequence of paths to the image files.
delivery_types : iterable, None
If None (default), the image paths names must follow the `Naming Convention <http://pylinac.readthedocs.org/en/latest/vmat_docs.html#naming-convention>`_.
If the image paths do not follow the naming convention, a 2-element string sequence for ``delivery_types`` must be passed in. E.g. ``['open', 'dmlc']``.
"""
self.settings = Settings('', 1.5)
# error checks
if len(images) != 2:
raise ValueError("Exactly 2 images (open, DMLC) must be passed")
if delivery_types and len(delivery_types) != 2:
raise ValueError("Delivery types must be 2 elements long")
if delivery_types is None:
delivery_types = []
# walk over images and load the open and DMLC fields
for img, deliv in zip_longest(images, delivery_types, fillvalue=''):
if OPEN in img.lower() or OPEN == deliv.lower():
self.image_open = image.load(img)
elif DMLC in img.lower() or DMLC == deliv.lower():
self.image_dmlc = image.load(img)
else:
raise ValueError("Image file names must follow the naming convention (e.g. 'DRGS_open.dcm'), or the delivery types must be passed explicitly")
# try to determine test type
if all(DRGS in osp.basename(img).lower() for img in images):
self.settings.test_type = DRGS
elif all(DRMLC in osp.basename(img).lower() for img in images):
self.settings.test_type = DRMLC
开发者ID:vandonova,项目名称:amazon_art,代码行数:34,代码来源:vmat.py
示例15: _get_matfile_data
def _get_matfile_data():
# compare to Arielle's in the .mat file
mat_file = "sub01_session_1_raw_ROI_timeseries.mat"
mat_file = osp.join(osp.dirname(osp.realpath(__file__)), mat_file)
# to_check.keys() == ['all_rois', 'time_series',
# '__globals__', 'Nvox', '__header__', '__version__']
to_check = sio.loadmat(mat_file)
nvox = to_check['Nvox'][0]
nb_runs = to_check['time_series'].shape[2] # has shape (time, rois, nb_runs)
assert nb_runs == 4
# make a dict for nvox
check_nvox = {}
for idx, roi in enumerate(to_check['all_rois']):
k, _ = osp.splitext(osp.basename(roi[0][0]))
check_nvox[k] = nvox[idx]
# make a dict for signals
arielle_runs = []
for run in range(nb_runs):
check_signals = {}
for idx, roi in enumerate(to_check['all_rois']):
k = osp.splitext(osp.basename(roi[0][0]))[0]
check_signals[k] = to_check['time_series'][:,idx,run]
arielle_runs.append(check_signals)
return check_nvox, arielle_runs
开发者ID:simpace,项目名称:simpace,代码行数:28,代码来源:test_smpce_data_to_corr.py
示例16: mainFunc
def mainFunc():
parser = argparse.ArgumentParser(description='Run Elastix registration protocol for all images in the directory')
parser.add_argument('--refDir', '-r', dest='refDir', required = True, \
help='The directory containing the reference images.')
parser.add_argument('--floatFile', '-f', dest='floatFile', required = True, \
help='Path to the floating image.')
parser.add_argument('--outDir', '-o', dest='outDir', required = False, \
help='Path to store the output images/parameters (default: current dir)', default=os.getcwd())
parser.add_argument('--atlas', '-a', dest='atlas', required = False, \
help='Path to the atlas segmentation file which will be resampled with the CPP file from the registration.', default=None)
args = parser.parse_args()
refImgs = [join(args.refDir, File) for File in listdir(args.refDir)]
refImgs = [img for img in refImgs if isfile(img) and img.endswith('.nii')]
if not refImgs:
print('Couldn\'t find any reference images')
return
if not path.isfile(args.floatFile):
print('Coudln\'t find the float image')
refImgs.sort(key=str.lower)
refFloatPairs = [[refImg, args.floatFile] for refImg in refImgs]
f3dParStr = paramListToShortString(f3d_params)
aladinParStr = paramListToShortString(aladin_params)
for rfPair in refFloatPairs:
baseName = basename(rfPair[0])[:-4]+'_'+basename(rfPair[1])[:-4]
currOutDir = join(args.outDir,baseName)
mkdir(currOutDir)
elastixLogPath = join(currOutDir,basename+'_LOG.txt')
elastixCommand = elastixExec+' -f '+rfPair[0]+' -m '+rfPair[1]+' -p '.join(elastixParams)+' -o '+currOutDir
elastixLog = ''
try:
elastixLog = ccall(elastixCommand, shell=True, stderr=STDOUT)
except CalledProcessError as err:
writeAndDie(err.output, elastixLogPath)
with open(elastixLogPath, 'w') as f:
f.write(elastixLog)
transformParameterFiles = ['TransformParameters.0.txt', 'TransformParameters.1.txt']
transformParameterFiles = [join(currOutDir,tpFile) for tpFile in transformParameterFiles]
for tpFilePath in transformParameterFiles:
with open(tpFilePath,'r') as tpFile:
tpCont = tpFile.read()
tpCont = tpCont.replace('(FinalBSplineInterpolationOrder 3)', '(FinalBSplineInterpolationOrder 1)')
with open(tpFilePath,'w') as tpFile:
tpCont = tpFile.write(tpCont)
if args.atlas is not None:
atlasOutDir = join(currOutDir,'atlas')
mkdir(atlasOutDir)
trfxCmd = trfxExec+' -in '+args.atlas+' -out '+atlasOutDir+' tp '+transformParameterFiles[-1]
try:
resampleLog = ccall(trfxCmd, shell=True, stderr=STDOUT)
except CalledProcessError as err:
writeAndDie(err.output, join(atlasOutDir,'ERR.txt'))
开发者ID:SainsburyWellcomeCentre,项目名称:aMAP_validation,代码行数:60,代码来源:ElastixMultiRun.py
示例17: to_xml
def to_xml(self):
q = Element('dictionary')
q.attrib["value"] = basename(dirname(self.dct))
r = SubElement(q, "revision",
value=str(self._svn_revision(dirname(self.dct))),
timestamp=datetime.utcnow().isoformat(),
checksum=self._checksum(open(self.dct, 'rb').read()))
s = SubElement(r, 'corpus')
s.attrib["value"] = basename(self.fn)
s.attrib["checksum"] = self._checksum(open(self.fn, 'rb').read())
SubElement(r, 'percent').text = "%.2f" % self.get_coverage()
SubElement(r, 'total').text = str(len(self.get_words()))
SubElement(r, 'known').text = str(len(self.get_known_words()))
SubElement(r, 'unknown').text = str(len(self.get_unknown_words()))
wrx = re.compile(r"\^(.*)/")
s = SubElement(r, 'top')
for word, count in self.get_top_unknown_words():
SubElement(s, 'word', count=str(count)).text = wrx.search(word).group(1)
s = SubElement(r, 'system')
SubElement(s, 'time').text = "%.4f" % self.timer
return ("coverage", etree.tostring(q))
开发者ID:unhammer,项目名称:apertium-quality,代码行数:27,代码来源:testing.py
示例18: gmap_setup
def gmap_setup(gsnap_dir, out_dir, ref_fasta):
ref_base = op.splitext(op.basename(ref_fasta))[0]
ref_dir = op.dirname(ref_fasta)
ref_name = op.basename(ref_base)
# have to cd to the out_dir because gsnap writes to cwd.
cmd = "set -e\n cd %(ref_dir)s && \n"
cmd += "gmap_build"
cmd += " -k 12 -D %(ref_dir)s -d %(ref_base)s %(ref_fasta)s > %(out_dir)s/gmap_build.log && "
cmd += "\ncmetindex -d %(ref_base)s -F %(ref_dir)s > gmap_cmetindex.log 2> gmap_cmetindex.error.log"
cmd %= locals()
print >>sys.stderr, "[ command ] $", cmd
cmd_last = op.join(out_dir, "ran_gsnap_setup.sh")
rerun = False
if not op.exists(cmd_last) or not is_up_to_date_b(ref_fasta, cmd_last) or not is_same_cmd(cmd, cmd_last):
fh = open(cmd_last, "w")
print >>fh, cmd
fh.close()
rerun = True
elif is_up_to_date_b(ref_fasta, cmd_last) and not is_same_cmd(cmd, cmd_last):
fh = open(cmd_last, "w")
print >>fh, cmd
fh.close()
rerun = True
# TODO: check time-stamp
rerun = True
if rerun:
p = Popen(cmd.replace('\n', ' '), shell=True)
print >>sys.stderr, "^ executing gmap/gsnap setup^"
if p.wait() != 0:
pass
else:
print >>sys.stderr, "gsnap setup stuff is up to date, re-using"
return ref_base
开发者ID:BioinformaticsArchive,项目名称:methylcode,代码行数:33,代码来源:gsnap.py
示例19: print_usage
def print_usage(actions):
"""Print the usage information. (Help screen)"""
actions = actions.items()
actions.sort()
print 'usage: %s <action> [<options>]' % basename(sys.argv[0])
print ' %s --help' % basename(sys.argv[0])
print
print 'actions:'
for name, (func, doc, arguments) in actions:
print ' %s:' % name
for line in doc.splitlines():
print ' %s' % line
if arguments:
print
for arg, shortcut, default, argtype in arguments:
if isinstance(default, bool):
print ' %s' % (
(shortcut and '-%s, ' % shortcut or '') + '--' + arg
)
else:
print ' %-30s%-10s%s' % (
(shortcut and '-%s, ' % shortcut or '') + '--' + arg,
argtype, default
)
print
开发者ID:garyyeap,项目名称:zoe-robot,代码行数:25,代码来源:script.py
示例20: ZipIt
def ZipIt(request, Qobject6):
import zipfile
# remove old
import os
try:
pathtoold = PathMaker(request.user.username, 'results.zip')
os.remove(pathtoold)
except OSError:
pass
#from Results.models import dbResults
# Make Results object
# query = 'SELECT * FROM Inputs_dbresults WHERE username = "'+request.user.username+'" ORDER BY id DESC LIMIT 1'
# Qobject6 = dbResults.objects.raw(query)[0]
# select table columns to send; fibril.pdb, LayerLines.jpg and parameters.txt
fibfile = str(Qobject6.fibrilPDB)
LLout = str(Qobject6.LLoutputPic)
inten = 'static_in_pro/media_root/' + str(Qobject6.intensity)
parampath = PathMaker(request.user.username, 'parameters.txt')
# give file a name and location in user's dir
filename = 'results.zip'
Path = PathMaker(request.user.username, filename)
# remove paths
from os.path import basename
# buffer = StringIO()
zipped = zipfile.ZipFile(Path, 'w')
zipped.write(fibfile, basename(fibfile))
zipped.write(LLout, basename(LLout))
zipped.write(inten, basename(inten))
zipped.write(parampath, basename(parampath))
zipped.close()
开发者ID:Jarlometoc,项目名称:trydjango,代码行数:31,代码来源:views.py
注:本文中的os.path.basename函数示例由纯净天空整理自Github/MSDocs等源码及文档管理平台,相关代码片段筛选自各路编程大神贡献的开源项目,源码版权归原作者所有,传播和使用请参考对应项目的License;未经允许,请勿转载。 |
请发表评论