python实现目录树生成示例


Posted in Python onMarch 28, 2014
#!/usr/bin/env python
# -*- coding: utf-8 -*-
import os
import optparse
LOCATION_NONE     = 'NONE'
LOCATION_MID      = 'MID'
LOCATION_MID_GAP  = 'MID_GAP'
LOCATION_TAIL     = 'TAIL'
LOCATION_TAIL_GAP = 'TAIL_GAP'
Notations = {
    LOCATION_NONE: '',
    LOCATION_MID: '├─',
    LOCATION_MID_GAP: '│  ',
    LOCATION_TAIL: '└─',
    LOCATION_TAIL_GAP: '    '
}
class Node(object):
    def __init__(self, name, depth, parent=None, location=LOCATION_NONE):
        self.name = name
        self.depth = depth
        self.parent = parent
        self.location = location
        self.children = []
    def __str__(self):
        sections = [self.name]
        parent = self.has_parent()
        if parent:
            if self.is_tail():
                sections.insert(0, Notations[LOCATION_TAIL])
            else:
                sections.insert(0, Notations[LOCATION_MID])
            self.__insert_gaps(self, sections)
        return ''.join(sections)
    def __insert_gaps(self, node, sections):
        parent = node.has_parent()
        # parent exists and parent's parent is not the root node
        if parent and parent.has_parent():
            if parent.is_tail():
                sections.insert(0, Notations[LOCATION_TAIL_GAP])
            else:
                sections.insert(0, Notations[LOCATION_MID_GAP])
            self.__insert_gaps(parent, sections)
    def has_parent(self):
        return self.parent
    def has_children(self):
        return self.children
    def add_child(self, node):
        self.children.append(node)
    def is_tail(self):
        return self.location == LOCATION_TAIL
class Tree(object):
    def __init__(self):
        self.nodes = []
    def debug_print(self):
        for node in self.nodes:
            print(str(node) + '/')
    def write2file(self, filename):
        try:
            with open(filename, 'w') as fp:
                fp.writelines(str(node) + '/\n'
                              for node in self.nodes)
        except IOError as e:
            print(e)
            return 0
        return 1
    def build(self, path):
        self.__build(path, 0, None, LOCATION_NONE)
    def __build(self, path, depth, parent, location):
        if os.path.isdir(path):
            name = os.path.basename(path)
            node = Node(name, depth, parent, location)
            self.add_node(node)
            if parent:
                parent.add_child(node)
            entries = self.list_folder(path)
            end_index = len(entries) - 1
            for i, entry in enumerate(entries):
                childpath = os.path.join(path, entry)
                location = LOCATION_TAIL if i == end_index else LOCATION_MID
                self.__build(childpath, depth + 1, node, location)
    def list_folder(self, path):
        """Folders only."""
        return [d for d in os.listdir(path) if os.path.isdir(os.path.join(path, d))]
        # for entry in os.listdir(path):
        #     childpath = os.path.join(path, entry)
        #     if os.path.isdir(childpath):
        #         yield entry
    def add_node(self, node):
        self.nodes.append(node)
def _parse_args():
    parser = optparse.OptionParser()
    parser.add_option(
        '-p', '--path', dest='path', action='store', type='string',
        default='./', help='the path to generate the tree [default: %default]')
    parser.add_option(
        '-o', '--out', dest='file', action='store', type='string',
        help='the file to save the result [default: pathname.trees]')
    options, args = parser.parse_args()
    # positional arguments are ignored
    return options
def main():
    options = _parse_args()
    path = options.path
    if not os.path.isdir(path):
        print('%s is not a directory' % path)
        return 2
    if not path or path == './':
        filepath = os.path.realpath(__file__)  # for linux
        path = os.path.dirname(filepath)
    tree = Tree()
    tree.build(path)
    # tree.debug_print()
    if options.file:
        filename = options.file
    else:
        name = os.path.basename(path)
        filename = '%s.trees' % name
    return tree.write2file(filename)
if __name__ == '__main__':
    import sys
    sys.exit(main())

运行效果

gtest_start/
├─build/
├─lib/
│  └─gtest/
├─output/
│  ├─primer/
│  │  ├─Debug/
│  │  │  ├─lib/
│  │  │  └─obj/
│  │  └─Release/
│  │      ├─lib/
│  │      └─obj/
│  └─thoughts/
│      ├─Debug/
│      │  ├─lib/
│      │  └─obj/
│      └─Release/
│          ├─lib/
│          └─obj/
├─src/
│  ├─primer/
│  └─thoughts/
├─test/
│  ├─primer/
│  └─thoughts/
├─third_party/
│  └─gtest/
└─tools/
Python 相关文章推荐
Python的__builtin__模块中的一些要点知识
May 02 Python
Python新手入门最容易犯的错误总结
Apr 24 Python
Python实现学校管理系统
Jan 11 Python
浅谈python numpy中nonzero()的用法
Apr 02 Python
Python3 获取一大段文本之间两个关键字之间的内容方法
Oct 11 Python
PyQt5 QListWidget选择多项并返回的实例
Jun 17 Python
PyQt5 实现字体大小自适应分辨率的方法
Jun 18 Python
深入解析神经网络从原理到实现
Jul 26 Python
python字符串替换re.sub()方法解析
Sep 18 Python
用pytorch的nn.Module构造简单全链接层实例
Jan 14 Python
Python中rapidjson参数校验实现
Jul 25 Python
python和Appium的移动端多设备自动化测试框架
Apr 26 Python
python改变日志(logging)存放位置的示例
Mar 27 #Python
使用python删除nginx缓存文件示例(python文件操作)
Mar 26 #Python
python实现ip查询示例
Mar 26 #Python
python fabric实现远程操作和部署示例
Mar 25 #Python
python基础教程之数字处理(math)模块详解
Mar 25 #Python
python操作摄像头截图实现远程监控的例子
Mar 25 #Python
python基础教程之字典操作详解
Mar 25 #Python
You might like
献给php初学者(入门学习经验谈)
2010/10/12 PHP
兼容firefox,chrome的网页灰度效果
2011/08/08 PHP
php的array_multisort()使用方法介绍
2012/05/16 PHP
php连接与操作PostgreSQL数据库的方法
2014/12/25 PHP
thinkPHP5.0框架API优化后的友好性分析
2017/03/17 PHP
thinkphp ajaxfileupload实现异步上传图片的示例
2017/08/28 PHP
PHP实现的AES双向加密解密功能示例【128位】
2018/09/03 PHP
从零开始学习jQuery (二) 万能的选择器
2010/10/01 Javascript
使用Jquery打造最佳用户体验的登录页面的实现代码
2011/07/08 Javascript
js两行代码按指定格式输出日期时间
2011/10/21 Javascript
js解析json读取List中的实体对象示例
2014/03/11 Javascript
Node.js中使用事件发射器模式实现事件绑定详解
2014/08/15 Javascript
2014年最火的Node.JS后端框架推荐
2014/10/27 Javascript
实现音乐播放器的代码(html5+css3+jquery)
2015/08/04 Javascript
AngularJs $parse、$eval和$observe、$watch详解
2016/09/21 Javascript
jquery延迟对象解析
2016/10/26 Javascript
Node.js 数据加密传输浅析
2016/11/16 Javascript
使用BootStrap实现标签切换原理解析
2017/03/14 Javascript
javascript过滤数组重复元素的实现方法
2017/05/03 Javascript
详解基于 Nuxt 的 Vue.js 服务端渲染实践
2017/10/24 Javascript
p5.js入门教程之图片加载
2018/03/20 Javascript
Angular6 用户自定义标签开发的实现方法
2019/01/08 Javascript
基于Express框架使用POST传递Form数据
2019/08/10 Javascript
刷新页面后让控制台的js代码继续执行
2019/09/20 Javascript
vue+elementUI中表格高亮或字体颜色改变操作
2020/11/02 Javascript
[46:48]DOTA2上海特级锦标赛A组小组赛#2 Secret VS CDEC第三局
2016/02/25 DOTA
Python GAE、Django导出Excel的方法
2008/11/24 Python
Python基于PyGraphics包实现图片截取功能的方法
2017/12/21 Python
使用IPython或Spyder将省略号表示的内容完整输出
2020/04/20 Python
优秀应届生推荐信
2013/11/09 职场文书
医务工作者先进事迹材料
2014/01/26 职场文书
艺术学院毕业生自荐信
2014/07/05 职场文书
房屋鉴定委托书范本
2014/09/23 职场文书
2015年考研复习计划
2015/01/19 职场文书
个人催款函范文
2015/06/23 职场文书
Vue3.0中Ref与Reactive的区别示例详析
2021/07/07 Vue.js