本文整理汇总了Python中shutil.copyfileobj函数的典型用法代码示例。如果您正苦于以下问题:Python copyfileobj函数的具体用法?Python copyfileobj怎么用?Python copyfileobj使用的例子?那么恭喜您, 这里精选的函数代码示例或许可以为您提供帮助。
在下文中一共展示了copyfileobj函数的20个代码示例,这些例子默认根据受欢迎程度排序。您可以为喜欢或者感觉有用的代码点赞,您的评价将有助于我们的系统推荐出更棒的Python代码示例。
示例1: imageToCache
def imageToCache(src,name):
response = requests.get(src, stream=True)
target = os.path.join(CACHE_PATH,name)
with open(target, 'wb') as out_file:
shutil.copyfileobj(response.raw, out_file)
del response
return target
开发者ID:ruuk,项目名称:script.bluray.com,代码行数:7,代码来源:util.py
示例2: store
def store(self, media_file, file=None, url=None, meta=None):
"""Store the given file or URL and return a unique identifier for it.
:type media_file: :class:`~mediadrop.model.media.MediaFile`
:param media_file: The associated media file object.
:type file: :class:`cgi.FieldStorage` or None
:param file: A freshly uploaded file object.
:type url: unicode or None
:param url: A remote URL string.
:type meta: dict
:param meta: The metadata returned by :meth:`parse`.
:rtype: unicode or None
:returns: The unique ID string. Return None if not generating it here.
"""
file_name = safe_file_name(media_file, file.filename)
file_path = self._get_path(file_name)
temp_file = file.file
temp_file.seek(0)
permanent_file = open(file_path, 'wb')
copyfileobj(temp_file, permanent_file)
temp_file.close()
permanent_file.close()
return file_name
开发者ID:FelixSchwarz,项目名称:mediadrop-test-renames,代码行数:26,代码来源:localfiles.py
示例3: _downloadAChapter
def _downloadAChapter(self, pathToStore, url, chapter):
pageNumber = 0
baseImageUrl = url + "/" + str(chapter) + "/"
basePathToStore = pathToStore + "/" + str(chapter) + "/"
nextImage = True
downloadSuccess = False
self._log("downloading chapter {} :".format(chapter), "INFO")
while nextImage:
pageNumberFormatted = self._formatPageNumber(pageNumber)
imageUrl = baseImageUrl + pageNumberFormatted + ".jpg"
self._log("try to download {}".format(imageUrl), "DEBUG")
r = requests.get(imageUrl, stream=True)
if r.status_code == 200:
self._log("download page image {} from chapter {}".format(pageNumberFormatted, chapter), "DEBUG")
self.logger.printSameLine("*")
if not downloadSuccess:
downloadSuccess = True
pageNumber += 1
imagePath = basePathToStore + pageNumberFormatted + ".jpg"
with open(imagePath, 'wb') as imageFile:
r.raw.decode_content = True
shutil.copyfileobj(r.raw, imageFile)
else:
if pageNumber == 0:
pageNumber += 1
else:
if downloadSuccess:
self.logger.printSameLine("",True)
nextImage = False
return downloadSuccess
开发者ID:Devouass,项目名称:manga-python,代码行数:32,代码来源:requester.py
示例4: settings_audio_add
def settings_audio_add(request):
params = request.json_body
transaction.manager.begin()
fileobj = env.file_storage.fileobj(component='compulink_video_producer')
fileobj.persist()
transaction.manager.commit() # ugly hack
transaction.manager.begin()
fileobj.persist()
srcfile, _ = env.file_upload.get_filename(params['id'])
dstfile = env.file_storage.filename(fileobj, makedirs=True)
with open(srcfile, 'r') as fs, open(dstfile, 'w') as fd:
copyfileobj(fs, fd)
vba = VideoBackgroundAudioFile()
vba.file_name = params['name']
vba.file_obj_id = fileobj.id
vba.file_mime_type = params['mime_type']
vba.file_size = params['size']
vba.persist()
transaction.manager.commit()
vba.persist()
return vba.serialize()
开发者ID:nextgis,项目名称:nextgisweb_compulink,代码行数:30,代码来源:admin.py
示例5: dump_db
def dump_db(db_name, stream, backup_format='zip'):
"""Dump database `db` into file-like object `stream` if stream is None
return a file object with the dump """
_logger.info('DUMP DB: %s format %s', db_name, backup_format)
cmd = ['pg_dump', '--no-owner']
cmd.append(db_name)
if backup_format == 'zip':
with odoo.tools.osutil.tempdir() as dump_dir:
filestore = odoo.tools.config.filestore(db_name)
if os.path.exists(filestore):
shutil.copytree(filestore, os.path.join(dump_dir, 'filestore'))
with open(os.path.join(dump_dir, 'manifest.json'), 'w') as fh:
db = odoo.sql_db.db_connect(db_name)
with db.cursor() as cr:
json.dump(dump_db_manifest(cr), fh, indent=4)
cmd.insert(-1, '--file=' + os.path.join(dump_dir, 'dump.sql'))
odoo.tools.exec_pg_command(*cmd)
if stream:
odoo.tools.osutil.zip_dir(dump_dir, stream, include_dir=False, fnct_sort=lambda file_name: file_name != 'dump.sql')
else:
t=tempfile.TemporaryFile()
odoo.tools.osutil.zip_dir(dump_dir, t, include_dir=False, fnct_sort=lambda file_name: file_name != 'dump.sql')
t.seek(0)
return t
else:
cmd.insert(-1, '--format=c')
stdin, stdout = odoo.tools.exec_pg_command_pipe(*cmd)
if stream:
shutil.copyfileobj(stdout, stream)
else:
return stdout
开发者ID:bitctrl,项目名称:odoo,代码行数:34,代码来源:db.py
示例6: readEpgDatFile
def readEpgDatFile(self, filename, deleteFile=False):
if not hasattr(self.epgcache, 'load'):
print>>log, "[EPGImport] Cannot load EPG.DAT files on unpatched enigma. Need CrossEPG patch."
return
try:
os.unlink(HDD_EPG_DAT)
except:
pass # ignore...
try:
if filename.endswith('.gz'):
print>>log, "[EPGImport] Uncompressing", filename
import shutil
fd = gzip.open(filename, 'rb')
epgdat = open(HDD_EPG_DAT, 'wb')
shutil.copyfileobj(fd, epgdat)
del fd
epgdat.close()
del epgdat
else:
if filename != HDD_EPG_DAT:
os.symlink(filename, HDD_EPG_DAT)
print>>log, "[EPGImport] Importing", HDD_EPG_DAT
self.epgcache.load()
if deleteFile:
try:
os.unlink(filename)
except:
pass # ignore...
except Exception, e:
print>>log, "[EPGImport] Failed to import %s:" % filename, e
开发者ID:azamajmal,项目名称:enigma2-plugin-extensions-xmltvimport,代码行数:30,代码来源:EPGImport.py
示例7: dlImage
def dlImage(url,logf=None):
if url.startswith(start_img_fail):
if logf:
logf.write("Skipping image in failed s3 bucket.\n")
else:
print "Skipping image in failed s3 bucket."
return None
pos_slash=[pos for pos,c in enumerate(url) if c=="/"]
file_img=url[pos_slash[-1]:]
outpath=os.path.join(tmp_img_dl_dir,file_img)
mkpath(outpath)
#print "Downloading image from {} to {}.".format(url,outpath)
try:
r = requests.get(url, stream=True, timeout=imagedltimeout)
if r.status_code == 200:
with open(outpath, 'wb') as f:
r.raw.decode_content = True
shutil.copyfileobj(r.raw, f)
return outpath
except Exception as inst:
if logf:
logf.write("Download failed for img that should be saved at {} from url {}.\n".format(outpath,url))
else:
print "Download failed for img that should be saved at {} from url {}.".format(outpath,url)
print inst
return None
开发者ID:k9team3,项目名称:DeepSentiBank_memex,代码行数:26,代码来源:fillSimHBaseNewFormatParallel_v2.py
示例8: salva_audio_ura
def salva_audio_ura(form):
import shutil
try:
caminho_raiz = '/aldeia/etc/asterisk/cliente/'
if not os.path.exists(caminho_raiz):
os.system('sudo mkdir ' + caminho_raiz)
os.system('sudo chown -R www-data:www-data /aldeia/audio/')
os.system('sudo ln -s /aldeia/etc/asterisk/cliente/ /var/www/')
id_edit = request.vars['id_edit']
sql_busca = db(db.f_audios.id == id_edit).select()
if len(sql_busca) > 0:
path_wav = caminho_raiz+ 'wav_'+ sql_busca[0]['nome'].replace(' ','_').replace('.','_').lower() + '.wav'
path_sln = caminho_raiz+ sql_busca[0]['nome'].replace(' ','_').replace('.','_').lower() + '.sln'
if os.path.isfile(path_wav):
os.remove(path_wav)
if os.path.isfile(path_sln):
os.remove(path_sln)
filename='wav_' + request.vars['nome'].replace(' ','_').replace('.','_').lower() + '.wav'
file=request.vars['dados_audio'].file
shutil.copyfileobj(file,open(caminho_raiz+filename,'wb'))
convert_audio = 'sudo sox '+caminho_raiz +'wav_' + request.vars['nome'].replace(' ','_').replace('.','_').lower() + '.wav' +' -r 8000 -c 1 '+caminho_raiz +request.vars['nome'].replace(' ','_').replace('.','_').lower()+'.sln'
os.system(convert_audio)
os.system('sudo chmod +x /aldeia/etc/asterisk/cliente/*')
os.system('sudo chown -R www-data:www-data /aldeia/etc/asterisk/cliente/*')
form.vars['caminho'] = request.vars['nome'].replace(' ','_').replace('.','_').lower() + '.sln'
return 'OK'
except shutil.Error as erro:
return erro
开发者ID:MatheusSuffi,项目名称:admanager_teste,代码行数:30,代码来源:func_globais.py
示例9: __init__
def __init__(self, command, src, dst):
"""Execute 'command' with src as stdin and writing to stream
dst. If either stream is not a fileno() stream, temporary files
will be used as required.
Either stream may be None if input or output is not required.
Call the wait() method to wait for the command to finish.
'command' may be a string (passed to os.system) or a list (os.execvp).
"""
if src is not None and not hasattr(src, 'fileno'):
import shutil
new = _Tmp()
src.seek(0)
shutil.copyfileobj(src, new)
src = new
Process.__init__(self)
self.command = command
self.dst = dst
self.src = src
self.tmp_stream = None
self.callback = None
self.killed = 0
self.errors = ""
self.done = False # bool or exception
self.waiting = False
开发者ID:boube,项目名称:minino,代码行数:29,代码来源:processes.py
示例10: get_images_from_urls
def get_images_from_urls(id_url_generator, max_count=5, output_directory="images/raw"):
"""Download JPEG images from a generator of image IDs and urls.
Files are saved to `output_directory`, named according to their ID.
Args:
id_url_generator (generator): Pairs of strings (id, url).
max_count (int): The maximum number of pictures to download. This may
not be the same as the number of images actually downloaded, if the
Flickr API returns duplicate images or invalid responses.
output_directory (str): An existing folder to save images to. Does not
include a trailing slash.
"""
ensure_directory(output_directory)
already_downloaded = image_filenames_as_dict(output_directory)
i = 1
with requests.Session() as s:
for uid, url in id_url_generator:
if uid in already_downloaded:
print "{}: Already downloaded {}".format(i, uid)
else:
print "{}: Downloading {}".format(i, url)
response = s.get(url, stream=True)
if response.status_code == 200 and response.headers["Content-Type"] == "image/jpeg":
filename = "{}/{}.jpeg".format(output_directory, uid)
with open(filename, "wb") as out_file:
shutil.copyfileobj(response.raw, out_file)
already_downloaded[uid] = filename
if i < max_count:
i += 1
else:
break
开发者ID:rchurchley,项目名称:IMA-Deep-Learning,代码行数:32,代码来源:_download.py
示例11: download
def download(self, url, fileName=None):
if os.path.isfile(fileName) and not self.force_download:
print 'skipping (already downloaded)'
return
def getFileName(url,openUrl):
if 'Content-Disposition' in openUrl.info():
# If the response has Content-Disposition, try to get filename from it
cd = dict(map(
lambda x: x.strip().split('=') if '=' in x else (x.strip(),''),
openUrl.info()['Content-Disposition'].split(';')))
if 'filename' in cd:
filename = cd['filename'].strip("\"'")
if filename: return filename
# if no filename was found above, parse it out of the final URL.
return os.path.basename(urlparse.urlsplit(openUrl.url)[2])
try:
r = urllib2.urlopen(urllib2.Request(url))
except Exception as err:
print 'Download failed > ', url
return
try:
fileName = fileName or getFileName(url,r)
with open(fileName, 'wb') as f:
shutil.copyfileobj(r,f)
finally:
r.close()
开发者ID:mitch-b,项目名称:fcc-comments-tagcloud,代码行数:26,代码来源:pdf_downloader.py
示例12: get_matrix_filename
def get_matrix_filename(series_id, platform_id):
filenames = list(matrix_filenames(series_id, platform_id))
mirror_filenames = (os.path.join(conf.SERIES_MATRIX_MIRROR, filename) for filename in filenames)
mirror_filename = first(filename for filename in mirror_filenames if os.path.isfile(filename))
if mirror_filename:
return mirror_filename
for filename in filenames:
print 'Loading URL', conf.SERIES_MATRIX_URL + filename, '...'
try:
res = urllib2.urlopen(conf.SERIES_MATRIX_URL + filename)
except urllib2.URLError:
pass
else:
mirror_filename = os.path.join(conf.SERIES_MATRIX_MIRROR, filename)
print 'Cache to', mirror_filename
directory = os.path.dirname(mirror_filename)
if not os.path.exists(directory):
os.makedirs(directory)
with open(mirror_filename, 'wb') as f:
shutil.copyfileobj(res, f)
return mirror_filename
raise LookupError("Can't find matrix file for series %s, platform %s"
% (series_id, platform_id))
开发者ID:dhimmel,项目名称:starapi,代码行数:27,代码来源:main.py
示例13: copyFile
def copyFile(self, newpath):
#Walk the directory tree backwards until "spec" is found
relpath = ''
path = [self.fpath, '']
while True:
path = os.path.split(path[0])
relpath = os.path.join(path[1], relpath)
if "include" in relpath:
break
newpath = os.path.join(newpath, relpath)
#Create the directory if it doesnt exist
if not os.path.exists(newpath):
os.makedirs(newpath)
print "Creating Dir: " + newpath
#Copy the file and fix the filename if its a Tfile
if not self.isT():
#If its a QoS file eg. DomainParticpantQos.hpp then replace it with TEntityQos
if self.isQos():
print "Copying QoS file " + self.fname + " to " + newpath
nf = open(os.path.join(newpath, self.fname), 'w')
shutil.copyfileobj(self.fixQoSFileContents(), nf)
else:
print "Copying plain file " + self.fname + " to " + newpath
shutil.copy(os.path.join(self.fpath, self.fname), os.path.join(newpath, self.fname))
else:
nf = open(os.path.join(newpath, self.fixFilename()), 'w')
shutil.copyfileobj(self.fixFileContents(), nf)
print "Copying T file " + self.fname + " to " + newpath + self.fixFilename()
开发者ID:osrf,项目名称:opensplice,代码行数:30,代码来源:predoxygen.py
示例14: download
def download(url, message_id, fileName=None):
def getFileName(url,openUrl):
if not os.path.exists(IMAGE_DIR):
os.makedirs(IMAGE_DIR)
if 'Content-Disposition' in openUrl.info():
# If the response has Content-Disposition, try to get filename from it
cd = dict(map(
lambda x: x.strip().split('=') if '=' in x else (x.strip(),''),
openUrl.info()['Content-Disposition'].split(';')))
if 'filename' in cd:
filename = cd['filename'].strip("\"'")
if filename: return filename
# if no filename was found above, parse it out of the final URL.
return os.path.basename(urlparse.urlsplit(openUrl.url)[2])
r = urllib2.urlopen(urllib2.Request(url))
fileName = fileName or getFileName(url,r)
if not os.path.exists(IMAGE_DIR + fileName):
r = urllib2.urlopen(urllib2.Request(url))
try:
with open(IMAGE_DIR + fileName, 'wb') as f:
shutil.copyfileobj(r, f)
finally:
r.close()
downloadedFile = message_id + '_' + fileName
shutil.copyfile(IMAGE_DIR + fileName, IMAGE_DIR + downloadedFile)
return downloadedFile
开发者ID:fritsjanb,项目名称:najnaf,代码行数:30,代码来源:download.py
示例15: install_spec
def install_spec(cli_args, kwargs, abstract_spec, spec):
"""Do the actual installation."""
# handle active environment, if any
def install(spec, kwargs):
env = ev.get_env(cli_args, 'install', required=False)
if env:
env.install(abstract_spec, spec, **kwargs)
env.write()
else:
spec.package.do_install(**kwargs)
try:
if cli_args.things_to_install == 'dependencies':
# Install dependencies as-if they were installed
# for root (explicit=False in the DB)
kwargs['explicit'] = False
for s in spec.dependencies():
install(s, kwargs)
else:
kwargs['explicit'] = True
install(spec, kwargs)
except spack.build_environment.InstallError as e:
if cli_args.show_log_on_error:
e.print_context()
if not os.path.exists(e.pkg.build_log_path):
tty.error("'spack install' created no log.")
else:
sys.stderr.write('Full build log:\n')
with open(e.pkg.build_log_path) as log:
shutil.copyfileobj(log, sys.stderr)
raise
开发者ID:LLNL,项目名称:spack,代码行数:33,代码来源:install.py
示例16: cat_strand
def cat_strand(files, strand, ext):
if not files:
raise ValueError("No files in directory")
warn_possibly_made(files)
#gets substring upto first difference in all selected files
for x, file_chr in enumerate(izip(*files)):
if len(set(file_chr)) != 1:
break
#get the file
out_file = files[0][:x]
#remove characters after last _
out_file = "_".join(out_file.split("_")[:-1]) + "_" + strand + ext
#now that we have the outfile lets cat the actual files
print "processing " + str(files) + " to " + out_file
if not os.path.exists(out_file):
with open(out_file, 'wb') as destination:
for file_name in files:
with open(file_name, 'rb') as file_obj:
shutil.copyfileobj(file_obj, destination)
else:
print "%s already made, not overwriting" % out_file
开发者ID:TorHou,项目名称:gscripts,代码行数:26,代码来源:cat_rapidrun.py
示例17: upload
def upload(self):
uploadfile = request.POST['uploadfile']
fasta_file = open(os.path.join(permanent_store,
uploadfile.filename.lstrip(os.sep)),
'w')
shutil.copyfileobj(uploadfile.file, fasta_file)
uploadfile.file.close()
fasta_file.close()
handle = open( fasta_file.name )
# if false:
it = Bio.Fasta.Iterator(handle, Bio.Fasta.SequenceParser())
seq = it.next()
output_string = ""
while seq:
output_string += seq.description
output_string += "<br /> "
log.debug("seq : %s" , seq.description)
seq = it.next()
handle.close()
self.testmethod()
self.formatdb(fasta_file.name)
log.debug('Hello Kenglish' )
print "Hello Kenglish"
return 'Successfully uploaded: %s, description: %s, <br /> results: <br /> %s ' % \
(uploadfile.filename, request.POST['description'], output_string)
开发者ID:kenglishhi,项目名称:kenglish-ics699,代码行数:28,代码来源:bio.py
示例18: commit
def commit(self, filename, basedir="/"):
skip = len(path.commonprefix([filename, basedir]))
sink = self.open(filename[skip:])
source = open(filename, "r")
shutil.copyfileobj(source, sink)
source.close()
sink.close()
开发者ID:pascalfleury,项目名称:shelltoys,代码行数:7,代码来源:revdir.py
示例19: download_item_change
def download_item_change(self):
self.com.sig.emit("started")
self.repaint()
self.ui.options_list_widget.clear()
# urllib.request.urlretrieve("http://animetake.com/images/.png", "images" + os.sep + "onepiece.png")
# pix = QPixmap("images" + os.sep + "onepiece.png")#%s" % str(anime_name).replace(' ', '-'))
# self.ui.image_label.setPixmap(pix)
if self.ui.res_list_widget.currentItem():
name = self.ui.res_list_widget.currentItem().text().split(" -->")[0]
ep = self.episode_list[name]
name, release_date, link = ep.get_attrs()
download = DownloadOptions(link)
download.join()
img_link = download.get_img_link()
file_name = img_link.replace("http://www.animetake.com/images/", "")
if os.path.exists("images" + os.sep + file_name):
self.ui.image_label.setPixmap("images" + os.sep + file_name)
else:
reqst = Request("http://www.animetake.com/images/%s" % file_name, headers={"User-Agent": "Mozilla/5.0"})
# urllib.request.urlretrieve(reqst,
# 'images' + os.sep + file_name)
with urllib.request.urlopen(reqst) as response, open(file_name, "wb") as out_file:
shutil.copyfileobj(response, out_file)
self.ui.image_label.setPixmap(QPixmap("images" + os.sep + out_file.name))
self.options = download.get_download_options()
for name, link in self.options.items():
self.ui.options_list_widget.addItem(name)
self.com.sig.emit("ended")
开发者ID:ROAND,项目名称:Series-Manager,代码行数:30,代码来源:semard3.py
示例20: build_program
def build_program(main_file_data, library_header, shared_library, gcc_prefix, cflags, package=__name__):
with tempfile.TemporaryDirectory() as tempdir:
shead_name = os.path.basename(library_header)
shlib_name = os.path.basename(shared_library)
assert shlib_name.startswith("lib") and shlib_name.endswith(".so") and shead_name.endswith(".h")
shlib_short = shlib_name[3:-3] # strip "lib" and ".so"
shared_lib_path = os.path.join(tempdir, shlib_name)
lib_header_path = os.path.join(tempdir, shead_name)
main_file_path = os.path.join(tempdir, "themis_main.c")
main_output_path = os.path.join(tempdir, "themis_main")
with open(shared_lib_path, "wb") as fout:
with pkg_resources.resource_stream(package, shared_library) as fin:
shutil.copyfileobj(fin, fout)
with open(lib_header_path, "wb") as fout:
with pkg_resources.resource_stream(package, library_header) as fin:
shutil.copyfileobj(fin, fout)
with open(main_file_path, "w") as fout:
fout.write(main_file_data)
subprocess.check_call([gcc_prefix + "gcc", *cflags.split(), "-I", tempdir, "-L", tempdir, "-l", shlib_short,
main_file_path, "-o", main_output_path])
subprocess.check_call([gcc_prefix + "strip", main_output_path])
with open(main_output_path, "rb") as fin:
main_output_data = fin.read()
return main_output_data
开发者ID:celskeggs,项目名称:themis,代码行数:27,代码来源:cbuild.py
注:本文中的shutil.copyfileobj函数示例由纯净天空整理自Github/MSDocs等源码及文档管理平台,相关代码片段筛选自各路编程大神贡献的开源项目,源码版权归原作者所有,传播和使用请参考对应项目的License;未经允许,请勿转载。 |
请发表评论