最近在 Python 中使用下面的代码来获取文件路径:
import glob import os # 获取当前路径 cur_path = os.path.abspath(os.path.dirname(__file__)) dir_name = '2021-9-3[草稿]' dir_path = os.path.join(cur_path, dir_name) files = glob.glob(dir_path + '/*.md') print(files)
结果打印为空:
[]
查找后得知是因为文件夹名称中有特殊字符[
,需要用 glob.escape
转义后才能够正常获取到路径下的文件:
import glob import os # 获取当前路径 cur_path = os.path.abspath(os.path.dirname(__file__)) dir_name = '2021-9-3[草稿]' dir_path = os.path.join(cur_path, dir_name) files = glob.glob(glob.escape(dir_path) + '/*.md') print(files)
['C:\\**\\2021-9-3[草稿]\\out.md']
但注意不要将 /*.md
包含在转义字符串中,因为其中的 *
会被 glob.escape
转义,同样导致匹配不到文件。比如,下面的写法会导致 *
被转义:
files = glob.glob(glob.escape( os.path.join(dir_path, '/*.md') ))
参考:Python glob.glob always returns empty list - Stack Overflow