当前位置: 首页>>代码示例>>Python>>正文


Python path.rstrip方法代码示例

本文整理汇总了Python中os.path.rstrip方法的典型用法代码示例。如果您正苦于以下问题:Python path.rstrip方法的具体用法?Python path.rstrip怎么用?Python path.rstrip使用的例子?那么恭喜您, 这里精选的方法代码示例或许可以为您提供帮助。您也可以进一步了解该方法所在os.path的用法示例。


在下文中一共展示了path.rstrip方法的12个代码示例,这些例子默认根据受欢迎程度排序。您可以为喜欢或者感觉有用的代码点赞,您的评价将有助于系统推荐出更棒的Python代码示例。

示例1: scan

# 需要导入模块: from os import path [as 别名]
# 或者: from os.path import rstrip [as 别名]
def scan(self, path, exclude=[]) -> List[str]:
        """Scan path for matching files.

        :param path: the path to scan
        :param exclude: a list of directories to exclude

        :return: a list of sorted filenames
        """
        res = []
        path = path.rstrip("/").rstrip("\\")
        for pat in self.input_patterns:
            res.extend(glob.glob(path + os.sep + pat, recursive=True))

        res = list(filter(lambda p: os.path.isfile(p), res))

        if exclude:
            def excluded(path):
                for e in exclude:
                    if path.startswith(e):
                        return True
                return False

            res = list(filter(lambda p: not excluded(p), res))

        return sorted(res) 
开发者ID:mme,项目名称:vergeml,代码行数:27,代码来源:io.py

示例2: __init__

# 需要导入模块: from os import path [as 别名]
# 或者: from os.path import rstrip [as 别名]
def __init__(self, data):
        super().__init__(data)
        try:
            parsed = json.loads(data)
        except ValueError:
            raise testprocess.InvalidLine(data)

        assert isinstance(parsed, dict)
        assert set(parsed.keys()) == {'path', 'verb', 'status'}

        self.verb = parsed['verb']

        path = parsed['path']
        self.path = '/' if path == '/' else path.rstrip('/')

        self.status = parsed['status']
        self._check_status() 
开发者ID:qutebrowser,项目名称:qutebrowser,代码行数:19,代码来源:webserver.py

示例3: _insert_path

# 需要导入模块: from os import path [as 别名]
# 或者: from os.path import rstrip [as 别名]
def _insert_path(self, index, *, clicked=True):
        """Handle an element selection.

        Args:
            index: The QModelIndex of the selected element.
            clicked: Whether the element was clicked.
        """
        if index == QModelIndex():
            path = os.path.join(self._file_model.rootPath(), self._to_complete)
        else:
            path = os.path.normpath(self._file_model.filePath(index))

        if clicked:
            path += os.sep
        else:
            # On Windows, when we have C:\foo and tab over .., we get C:\
            path = path.rstrip(os.sep)

        log.prompt.debug('Inserting path {}'.format(path))
        self._lineedit.setText(path)
        self._lineedit.setFocus()
        self._set_fileview_root(path, tabbed=True)
        if clicked:
            # Avoid having a ..-subtree highlighted
            self._file_view.setCurrentIndex(QModelIndex()) 
开发者ID:qutebrowser,项目名称:qutebrowser,代码行数:27,代码来源:prompt.py

示例4: findFileOrDirectory

# 需要导入模块: from os import path [as 别名]
# 或者: from os.path import rstrip [as 别名]
def findFileOrDirectory(self, path):
        path = self.getFilePath(path)
        if not path:
            return None, None
        xmlPath = self.simXml.getXmlPath(path)
        node = self.simXml.find(xmlPath)
        if node == None:
            if path[-1] != "/":
                #try to select direcotry
                path += "/"
                xmlPath = self.simXml.getXmlPath(path)
                node = self.simXml.find(xmlPath)
            else:
                #try to select file
                path = path.rstrip("/")
                xmlPath = self.simXml.getXmlPath(path)
                node = self.simXml.find(xmlPath)
            if node == None:
                logging.error("Failed to select: %s" %xmlPath)
                return None, None
        return node, xmlPath 
开发者ID:kamwar,项目名称:simLAB,代码行数:23,代码来源:sim_files.py

示例5: sftp_mkdir_p

# 需要导入模块: from os import path [as 别名]
# 或者: from os.path import rstrip [as 别名]
def sftp_mkdir_p(sftp, remote_directory):
    """Ensures that the given path exists on the target server.
    Adapted from: https://stackoverflow.com/a/14819803"""
    if remote_directory == '/':
        # absolute path so change directory to root
        sftp.chdir('/')
        return
    if remote_directory == '':
        # top-level relative directory must exist
        return
    try:
        sftp.chdir(remote_directory) # sub-directory exists
    except IOError:
        path_parts = remote_directory.rstrip("/").split("/")
        dirname = "/".join(path_parts[:-1])
        basename = path_parts[-1]
        sftp_mkdir_p(sftp, dirname) # make parent directories
        logger.debug("Creating remote folder: %s" % remote_directory)
        sftp.mkdir(basename) # sub-directory missing, so created it
        sftp.chdir(basename) 
开发者ID:thanethomson,项目名称:statik,代码行数:22,代码来源:sftp.py

示例6: bulk_download

# 需要导入模块: from os import path [as 别名]
# 或者: from os.path import rstrip [as 别名]
def bulk_download(self, paths, local_dir, overwrite=False, progress_callbacks=None):
        """
        Transfer many files or directories to Cloud File System.

        * paths - list of local file paths
        * target - Path in CFS to upload to
        * progress_callbacks - Callback object (see ProgressCallbacks)
        """
        if progress_callbacks is None:
            progress_callbacks = ProgressCallbacks()
        for path in paths:
            progress_callbacks.getting_info(path)
            obj = self.get(path)
            progress_callbacks.got_info(obj)
            root_path = path[:path.rstrip('/').rfind('/')]  # take all segments expect last one
            if obj.is_folder:
                items = obj.files + obj.folders
            else:
                items = (obj,)
            self._bulk_download(items, root_path, local_dir, overwrite, progress_callbacks)
        progress_callbacks.finished() 
开发者ID:egnyte,项目名称:python-egnyte,代码行数:23,代码来源:client.py

示例7: _set_fileview_root

# 需要导入模块: from os import path [as 别名]
# 或者: from os.path import rstrip [as 别名]
def _set_fileview_root(self, path, *, tabbed=False):
        """Set the root path for the file display."""
        separators = os.sep
        if os.altsep is not None:
            separators += os.altsep

        dirname = os.path.dirname(path)
        basename = os.path.basename(path)
        if not tabbed:
            self._to_complete = ''

        try:
            if not path:
                pass
            elif path in separators and os.path.isdir(path):
                # Input "/" -> don't strip anything
                pass
            elif path[-1] in separators and os.path.isdir(path):
                # Input like /foo/bar/ -> show /foo/bar/ contents
                path = path.rstrip(separators)
            elif os.path.isdir(dirname) and not tabbed:
                # Input like /foo/ba -> show /foo contents
                path = dirname
                self._to_complete = basename
            else:
                return
        except OSError:
            log.prompt.exception("Failed to get directory information")
            return

        root = self._file_model.setRootPath(path)
        self._file_view.setRootIndex(root) 
开发者ID:qutebrowser,项目名称:qutebrowser,代码行数:34,代码来源:prompt.py

示例8: format_path

# 需要导入模块: from os import path [as 别名]
# 或者: from os.path import rstrip [as 别名]
def format_path(self, path):
        return "%s%s" % (path.rstrip("/"), "/")

    # Test if file exists 
开发者ID:MissionCriticalCloud,项目名称:bubble-toolkit,代码行数:6,代码来源:kvm_local_deploy_v2.py

示例9: add_url_path_component

# 需要导入模块: from os import path [as 别名]
# 或者: from os.path import rstrip [as 别名]
def add_url_path_component(path, component):
    return '%s/%s' % (path.rstrip('/'), component.lstrip('/')) 
开发者ID:thanethomson,项目名称:statik,代码行数:4,代码来源:utils.py

示例10: rm_path_via_sftp

# 需要导入模块: from os import path [as 别名]
# 或者: from os.path import rstrip [as 别名]
def rm_path_via_sftp(sftp, path):
    """Removes the given path using the specified SFTP connection."""
    logger.debug("Removing remote folder and all contents: %s" % path)
    files = sftp.listdir(path)
    for f in files:
        filepath = path.rstrip("/\\") + "/" + f.strip("/\\")
        try:
            sftp.remove(filepath)
        except IOError:
            # it's probably a directory
            rm_path_via_sftp(sftp, filepath) 
开发者ID:thanethomson,项目名称:statik,代码行数:13,代码来源:sftp.py

示例11: folder

# 需要导入模块: from os import path [as 别名]
# 或者: from os.path import rstrip [as 别名]
def folder(self, path="/Shared", **kwargs):
        """Get a Folder object for the specified path"""
        return resources.Folder(self, path=path.rstrip('/'), **kwargs) 
开发者ID:egnyte,项目名称:python-egnyte,代码行数:5,代码来源:client.py

示例12: _bulk_download

# 需要导入模块: from os import path [as 别名]
# 或者: from os.path import rstrip [as 别名]
def _bulk_download(self, items, root_path, local_dir, overwrite, progress_callbacks):
        root_len = len(root_path.rstrip('/')) + 1
        queue = collections.deque(items)
        while True:
            try:
                obj = queue.popleft()
            except IndexError:
                break
            relpath = obj.path[root_len:].strip('/')
            local_path = os.path.join(local_dir, relpath.replace('/', os.sep))
            dir_path = os.path.dirname(local_path)
            if not os.path.isdir(dir_path):
                if os.path.exists(dir_path):
                    if overwrite:
                        os.unlink(local_path)
                    else:
                        progress_callbacks.skipped(obj, "Existing file conflicts with cloud folder")
                        continue
                os.makedirs(dir_path)
            if obj.is_folder:
                # schedule contents for later, files first
                if obj.files is None:
                    progress_callbacks.getting_info(obj.path)
                    obj.list()
                    progress_callbacks.got_info(obj)
                queue.extend(obj.files)
                queue.extend(obj.folders)
            else:
                if os.path.exists(local_path):
                    if overwrite:
                        if os.path.isdir(local_path) and not os.path.islink(local_path):
                            shutil.rmtree(local_path)
                        else:
                            os.unlink(local_path)
                    else:
                        progress_callbacks.skipped(obj, "Existing file conflicts with cloud file")
                        continue
                progress_callbacks.download_start(local_path, obj, obj.size)
                obj.download().save_to(local_path, progress_callbacks.download_progress)
                progress_callbacks.download_finish(obj) 
开发者ID:egnyte,项目名称:python-egnyte,代码行数:42,代码来源:client.py


注:本文中的os.path.rstrip方法示例由纯净天空整理自Github/MSDocs等开源代码及文档管理平台,相关代码片段筛选自各路编程大神贡献的开源项目,源码版权归原作者所有,传播和使用请参考对应项目的License;未经允许,请勿转载。