Python shutil.Error() Examples
The following are 30
code examples of shutil.Error().
You can vote up the ones you like or vote down the ones you don't like,
and go to the original project or source file by following the links above each example.
You may also want to check out all available functions/classes of the module
shutil
, or try the search function
.

Example #1
Source File: fileutils.py From WordOps with MIT License | 6 votes |
def rm(self, path): """ Remove files """ Log.debug(self, "Removing {0}".format(path)) if WOFileUtils.isexist(self, path): try: if os.path.isdir(path): shutil.rmtree(path) else: os.remove(path) except shutil.Error as e: Log.debug(self, "{0}".format(e)) Log.error(self, "Unable to remove directory : {0} " .format(path)) except OSError as e: Log.debug(self, "{0}".format(e)) Log.error(self, "Unable to remove file : {0} " .format(path))
Example #2
Source File: log_copy.py From glazier with Apache License 2.0 | 6 votes |
def _ShareUpload(self, source_log: Text, share: Text): """Copy the log file to a network file share. Args: source_log: Path to the source log file to be copied. share: The destination share to copy the file to. Raises: LogCopyError: Failure to mount share and copy log. """ creds = LogCopyCredentials() username = creds.GetUsername() password = creds.GetPassword() mapper = drive_map.DriveMap() result = mapper.MapDrive('l:', share, username, password) if result: destination = self._GetLogFileName() try: shutil.copy(source_log, destination) except shutil.Error: raise LogCopyError('Log copy failed.') mapper.UnmapDrive('l:') else: raise LogCopyError('Drive mapping failed.')
Example #3
Source File: prepare.py From MySQL-AutoXtraBackup with MIT License | 6 votes |
def start_mysql_func(self, start_tool=None, options=None): # Starting MySQL logger.info("Starting MySQL server: ") if start_tool is None: args = self.start_mysql else: args = start_tool if options is not None: start_command = "{} {}".format(args, options) else: start_command = args status, output = subprocess.getstatusoutput(start_command) if status == 0: logger.info("Starting MySQL ...") logger.info(output) return True else: logger.error("Error occurred while starting MySQL!") logger.error(output) raise RuntimeError("Error occurred while starting MySQL!")
Example #4
Source File: file_util.py From glazier with Apache License 2.0 | 6 votes |
def Move(src: Text, dst: Text): """Move a file from src to dst. Python's os.rename doesn't support overwrite on Windows. Args: src: The full file path to the source. dst: The full file path to the destination. Raises: Error: Failure moving the file. """ try: Remove(dst) os.rename(src, dst) except OSError as e: raise Error('Failure moving file from %s to %s. (%s)' % (src, dst, str(e)))
Example #5
Source File: file_util.py From glazier with Apache License 2.0 | 6 votes |
def CreateDirectories(path: Text): """Create directory if the path to a file doesn't exist. Args: path: The full file path to where a file will be placed. Raises: Error: Failure creating the requested directory. """ dirname = os.path.dirname(path) if not os.path.isdir(dirname): logging.debug('Creating directory %s ', dirname) try: os.makedirs(dirname) except (shutil.Error, OSError): raise Error('Unable to make directory: %s' % dirname)
Example #6
Source File: prepare.py From MySQL-AutoXtraBackup with MIT License | 6 votes |
def copy(self, options=None, datadir=None): """ Function for running: xtrabackup --copy-back giving chown to datadir starting mysql :return: True if succeeded. Error if failed """ logger.info("Copying Back Already Prepared Final Backup:") if len(os.listdir(self.datadir if datadir is None else datadir)) > 0: logger.info("MySQL Datadir is not empty!") return False else: self.run_xtra_copyback(datadir=datadir) self.giving_chown(datadir=datadir) self.start_mysql_func(options=options) return True
Example #7
Source File: proxy.py From Faraday-Software with GNU General Public License v3.0 | 6 votes |
def saveProxyLog(name, config): ''' Save proxy log database into a new file :param name: Name of file to save data into (should be .db) :param config: Proxy ConfigParser object from proxy.ini :return: None ''' log = config.get("DATABASE", "filename") oldpath = os.path.join(faradayHelper.userPath, 'lib', log) newpath = os.path.join(faradayHelper.userPath, 'lib', name) try: shutil.move(oldpath, newpath) sys.exit(0) except shutil.Error as e: logger.error(e) except IOError as e: logger.error(e)
Example #8
Source File: telemetry.py From Faraday-Software with GNU General Public License v3.0 | 6 votes |
def saveTelemetryLog(name, config): ''' Save telemetry log database into a new file :param name: Name of file to save data into (should be .db) :param config: Telemetry ConfigParser object from telmetry.ini :return: None ''' log = config.get("DATABASE", "filename") oldpath = os.path.join(faradayHelper.userPath, 'lib', log) newpath = os.path.join(faradayHelper.userPath, 'lib', name) try: shutil.move(oldpath, newpath) sys.exit(0) except shutil.Error as e: logger.error(e) except IOError as e: logger.error(e)
Example #9
Source File: test_shutil.py From Fluid-Designer with GNU General Public License v3.0 | 6 votes |
def test_copytree_dangling_symlinks(self): # a dangling symlink raises an error at the end src_dir = self.mkdtemp() dst_dir = os.path.join(self.mkdtemp(), 'destination') os.symlink('IDONTEXIST', os.path.join(src_dir, 'test.txt')) os.mkdir(os.path.join(src_dir, 'test_dir')) write_file((src_dir, 'test_dir', 'test.txt'), '456') self.assertRaises(Error, shutil.copytree, src_dir, dst_dir) # a dangling symlink is ignored with the proper flag dst_dir = os.path.join(self.mkdtemp(), 'destination2') shutil.copytree(src_dir, dst_dir, ignore_dangling_symlinks=True) self.assertNotIn('test.txt', os.listdir(dst_dir)) # a dangling symlink is copied if symlinks=True dst_dir = os.path.join(self.mkdtemp(), 'destination3') shutil.copytree(src_dir, dst_dir, symlinks=True) self.assertIn('test.txt', os.listdir(dst_dir))
Example #10
Source File: test_shutil.py From Fluid-Designer with GNU General Public License v3.0 | 6 votes |
def test_copytree_named_pipe(self): os.mkdir(TESTFN) try: subdir = os.path.join(TESTFN, "subdir") os.mkdir(subdir) pipe = os.path.join(subdir, "mypipe") os.mkfifo(pipe) try: shutil.copytree(TESTFN, TESTFN2) except shutil.Error as e: errors = e.args[0] self.assertEqual(len(errors), 1) src, dst, error_msg = errors[0] self.assertEqual("`%s` is a named pipe" % pipe, error_msg) else: self.fail("shutil.Error should have been raised") finally: shutil.rmtree(TESTFN, ignore_errors=True) shutil.rmtree(TESTFN2, ignore_errors=True)
Example #11
Source File: test_shutil.py From ironpython2 with Apache License 2.0 | 6 votes |
def test_copytree_named_pipe(self): os.mkdir(TESTFN) try: subdir = os.path.join(TESTFN, "subdir") os.mkdir(subdir) pipe = os.path.join(subdir, "mypipe") os.mkfifo(pipe) try: shutil.copytree(TESTFN, TESTFN2) except shutil.Error as e: errors = e.args[0] self.assertEqual(len(errors), 1) src, dst, error_msg = errors[0] self.assertEqual("`%s` is a named pipe" % pipe, error_msg) else: self.fail("shutil.Error should have been raised") finally: shutil.rmtree(TESTFN, ignore_errors=True) shutil.rmtree(TESTFN2, ignore_errors=True)
Example #12
Source File: util.py From indy-plenum with Apache License 2.0 | 6 votes |
def moveKeyFilesToCorrectLocations(keys_dir, pkdir, skdir): for key_file in os.listdir(keys_dir): if key_file.endswith(".key"): try: shutil.move(os.path.join(keys_dir, key_file), os.path.join(pkdir, key_file)) except shutil.Error as ex: # print(ex) pass if key_file.endswith(".key_secret"): try: shutil.move(os.path.join(keys_dir, key_file), os.path.join(skdir, key_file)) except shutil.Error as ex: # print(ex) pass
Example #13
Source File: test_smbclient_shutil.py From smbprotocol with MIT License | 6 votes |
def test_copytree_with_broken_symlink_fail(smb_share): src_dirname = "%s\\source" % smb_share dst_dirname = "%s\\target" % smb_share mkdir(src_dirname) symlink("%s\\dir" % src_dirname, "%s\\link" % src_dirname, target_is_directory=True) symlink("%s\\file.txt" % src_dirname, "%s\\link.txt" % src_dirname) with pytest.raises(shutil.Error) as actual: copytree(src_dirname, dst_dirname) assert len(actual.value.args[0]) == 2 err1 = actual.value.args[0][0] err2 = actual.value.args[0][1] assert err1[0] == "%s\\link" % src_dirname assert err1[1] == "%s\\link" % dst_dirname assert "No such file or directory" in err1[2] assert err2[0] == "%s\\link.txt" % src_dirname assert err2[1] == "%s\\link.txt" % dst_dirname assert "No such file or directory" in err2[2]
Example #14
Source File: fileutils.py From WordOps with MIT License | 6 votes |
def copyfile(self, src, dest): """ Copy file: src : source path dest : destination path """ try: Log.debug(self, "Copying file, Source:{0}, Dest:{1}" .format(src, dest)) shutil.copy2(src, dest) except shutil.Error as e: Log.debug(self, "{0}".format(e)) Log.error(self, 'Unable to copy file from {0} to {1}' .format(src, dest)) except IOError as e: Log.debug(self, "{0}".format(e.strerror)) Log.error(self, "Unable to copy file from {0} to {1}" .format(src, dest), exit=False)
Example #15
Source File: fileutils.py From WordOps with MIT License | 6 votes |
def copyfiles(self, src, dest): """ Copies files: src : source path dest : destination path Recursively copy an entire directory tree rooted at src. The destination directory, named by dst, must not already exist; it will be created as well as missing parent directories. """ try: Log.debug(self, "Copying files, Source:{0}, Dest:{1}" .format(src, dest)) shutil.copytree(src, dest) except shutil.Error as e: Log.debug(self, "{0}".format(e)) Log.error(self, 'Unable to copy files from {0} to {1}' .format(src, dest)) except IOError as e: Log.debug(self, "{0}".format(e.strerror)) Log.error(self, "Unable to copy files from {0} to {1}" .format(src, dest), exit=False)
Example #16
Source File: fileutils.py From WordOps with MIT License | 6 votes |
def remove(self, filelist): """remove files from given path""" for file in filelist: if os.path.isfile(file): Log.info(self, "Removing {0:65}".format(file), end=' ') os.remove(file) Log.info(self, "{0}".format("[" + Log.ENDC + "Done" + Log.OKBLUE + "]")) Log.debug(self, 'file Removed') if os.path.isdir(file): try: Log.info(self, "Removing {0:65}".format(file), end=' ') shutil.rmtree(file) Log.info(self, "{0}".format("[" + Log.ENDC + "Done" + Log.OKBLUE + "]")) except shutil.Error as e: Log.debug(self, "{err}".format(err=str(e.reason))) Log.error(self, 'Unable to Remove file ')
Example #17
Source File: XnatUtils.py From dax with MIT License | 6 votes |
def set_assessor_status(self, status): """ Set the status of the assessor based on passed value :param status: Value to set the procstatus to :except: All catchable errors. :return: None """ # Connection to Xnat try: with get_interface(host=self.host) as intf: assessor = self.assr_handler.select_assessor(intf) if assessor.exists(): dtype = DEFAULT_DATATYPE if self.assr_handler.get_proctype() == 'FS': dtype = DEFAULT_FS_DATATYPE former_status = assessor.attrs.get('%s/procstatus' % dtype) if former_status == JOB_RUNNING: assessor.attrs.set('%s/procstatus' % dtype, status) msg = ' - job status set to %s' self.print_msg(msg % str(status)) except XnatAuthentificationError as e: print(('Failed to connect to XNAT. Error: ', e)) pass
Example #18
Source File: syncutil.py From signac with BSD 3-Clause "New" or "Revised" License | 6 votes |
def create_backup(self, path): logger.debug("Create backup of '{}'.".format(os.path.relpath(path))) path_backup = path + '~' if os.path.isfile(path_backup): raise RuntimeError( "Failed to create backup, file already exists: '{}'.".format( os.path.relpath(path_backup))) try: self._copy2(path, path_backup) yield path_backup except: # noqa roll-back logger.more("Error occured, restoring backup...") self._copy2(path_backup, path) raise finally: logger.debug("Remove backup of '{}'.".format(os.path.relpath(path))) self._remove(path_backup)
Example #19
Source File: syncutil.py From signac with BSD 3-Clause "New" or "Revised" License | 6 votes |
def copytree(src, dst, copy_function=shutil.copy2, symlinks=False): "Implementation adapted from https://docs.python.org/3/library/shutil.html#copytree-example'." os.makedirs(dst) names = os.listdir(src) errors = [] for name in names: srcname = os.path.join(src, name) dstname = os.path.join(dst, name) try: if symlinks and os.path.islink(srcname): linkto = os.readlink(srcname) os.symlink(linkto, dstname) elif os.path.isdir(srcname): copytree(srcname, dstname, copy_function, symlinks) else: copy_function(srcname, dstname) except OSError as why: errors.append((srcname, dstname, str(why))) # catch the Error from the recursive copytree so that we can # continue with other files except shutil.Error as err: errors.extend(err.args[0]) if errors: raise shutil.Error(errors)
Example #20
Source File: test_shutil.py From oss-ftp with MIT License | 6 votes |
def test_copytree_named_pipe(self): os.mkdir(TESTFN) try: subdir = os.path.join(TESTFN, "subdir") os.mkdir(subdir) pipe = os.path.join(subdir, "mypipe") os.mkfifo(pipe) try: shutil.copytree(TESTFN, TESTFN2) except shutil.Error as e: errors = e.args[0] self.assertEqual(len(errors), 1) src, dst, error_msg = errors[0] self.assertEqual("`%s` is a named pipe" % pipe, error_msg) else: self.fail("shutil.Error should have been raised") finally: shutil.rmtree(TESTFN, ignore_errors=True) shutil.rmtree(TESTFN2, ignore_errors=True)
Example #21
Source File: test_shutil.py From BinderFilter with MIT License | 6 votes |
def test_copytree_named_pipe(self): os.mkdir(TESTFN) try: subdir = os.path.join(TESTFN, "subdir") os.mkdir(subdir) pipe = os.path.join(subdir, "mypipe") os.mkfifo(pipe) try: shutil.copytree(TESTFN, TESTFN2) except shutil.Error as e: errors = e.args[0] self.assertEqual(len(errors), 1) src, dst, error_msg = errors[0] self.assertEqual("`%s` is a named pipe" % pipe, error_msg) else: self.fail("shutil.Error should have been raised") finally: shutil.rmtree(TESTFN, ignore_errors=True) shutil.rmtree(TESTFN2, ignore_errors=True)
Example #22
Source File: util.py From indy-plenum with Apache License 2.0 | 6 votes |
def moveKeyFilesToCorrectLocations(keys_dir, pkdir, skdir): for key_file in os.listdir(keys_dir): if key_file.endswith(".key"): try: shutil.move(os.path.join(keys_dir, key_file), os.path.join(pkdir, key_file)) except shutil.Error as ex: # print(ex) pass if key_file.endswith(".key_secret"): try: shutil.move(os.path.join(keys_dir, key_file), os.path.join(skdir, key_file)) except shutil.Error as ex: # print(ex) pass
Example #23
Source File: testHmy.py From harmony-ops with MIT License | 5 votes |
def delete_from_keystore_by_name(name): log(f"[KEY DELETE] Removing {name} from keystore at {KEYSTORE_PATH}", error=False) key_file_path = f"{KEYSTORE_PATH}/{name}" try: shutil.rmtree(key_file_path) except shutil.Error as e: log(f"[KEY DELETE] Failed to delete dir: {key_file_path}\n" f"Exception: {e}") return del ADDRESSES[name]
Example #24
Source File: file_system.py From glazier with Apache License 2.0 | 5 votes |
def _CreateDirectories(self, path): """Create a directory. Args: path: The full path to the directory to be created. Raises: ActionError: Failure creating the requested directory. """ if not os.path.isdir(path): try: logging.debug('Creating directory: %s', path) os.makedirs(path) except (shutil.Error, OSError) as e: raise ActionError('Unable to create directory %s: %s' % (path, str(e)))
Example #25
Source File: ConfigManager.py From rtkbase with GNU Affero General Public License v3.0 | 5 votes |
def deleteConfig(self, config_name): # try to delete config if it exists if "/" not in config_name: config_name = self.config_path + config_name try: os.remove(config_name) except OSError as e: print ("Error: " + e.filename + " - " + e.strerror)
Example #26
Source File: ConfigManager.py From rtkbase with GNU Affero General Public License v3.0 | 5 votes |
def resetConfigToDefault(self, config_name): # try to copy default config to the working configs directory if "/" not in config_name: default_config_value = self.config_path + config_name else: default_config_value = config_name try: copy(default_config_value, self.config_path) except IOError as e: print("Error resetting config " + config_name + " to default. Error: " + e.filename + " - " + e.strerror) except OSError as e: print('Error: %s' % e)
Example #27
Source File: test_shutil.py From oss-ftp with MIT License | 5 votes |
def test_dont_move_dir_in_itself(self): # Moving a dir inside itself raises an Error. dst = os.path.join(self.src_dir, "bar") self.assertRaises(shutil.Error, shutil.move, self.src_dir, dst)
Example #28
Source File: test_shutil.py From oss-ftp with MIT License | 5 votes |
def test_existing_file_inside_dest_dir(self): # A file with the same name inside the destination dir already exists. with open(self.dst_file, "wb"): pass self.assertRaises(shutil.Error, shutil.move, self.src_file, self.dst_dir)
Example #29
Source File: test_shutil.py From BinderFilter with MIT License | 5 votes |
def test_dont_move_dir_in_itself(self): # Moving a dir inside itself raises an Error. dst = os.path.join(self.src_dir, "bar") self.assertRaises(shutil.Error, shutil.move, self.src_dir, dst)
Example #30
Source File: fileutils.py From WordOps with MIT License | 5 votes |
def chown(self, path, user, group, recursive=False): """ Change Owner for files change owner for file with path specified user: username of owner group: group of owner recursive: if recursive is True change owner for all files in directory """ userid = pwd.getpwnam(user)[2] groupid = pwd.getpwnam(user)[3] try: Log.debug(self, "Changing ownership of {0}, Userid:{1},Groupid:{2}" .format(path, userid, groupid)) # Change inside files/directory permissions only if recursive flag # is set if recursive: for root, dirs, files in os.walk(path): for d in dirs: os.chown(os.path.join(root, d), userid, groupid) for f in files: os.chown(os.path.join(root, f), userid, groupid) os.chown(path, userid, groupid) except shutil.Error as e: Log.debug(self, "{0}".format(e)) Log.error(self, "Unable to change owner : {0}".format(path)) except Exception as e: Log.debug(self, "{0}".format(e)) Log.error(self, "Unable to change owner : {0} ".format(path))