对于在Windows环境中具有以下子目录结构的名为test
的文件夹:
├─a
│ ├─a1
│ ├─a2
│ └─a3
│ ├─a3_1
│ ├─a3_2
│ └─a3_3
├─b
│ ├─b1
│ ├─b2
│ ├─b3
│ └─b4
└─c
├─c1
├─c2
└─c3
我想获取第二层子文件夹的名称并将其保存在list
中:a1, a2, a3, b1, b2, b3, b4, c1, c2, c3...
base_dir = r"..\test"
for root, dirs, files in os.walk(base_dir):
print(root)
输出:
..\test
..\test\a
..\test\a\a1
..\test\a\a2
..\test\a\a3
..\test\a\a3\a3_1
..\test\a\a3\a3_2
..\test\a\a3\a3_3
..\test\b
..\test\b\b1
..\test\b\b2
..\test\b\b3
..\test\b\b4
..\test\c
..\test\c\c1
..\test\c\c2
..\test\c\c3
更新:我尝试通过反斜杠使用split
方法并将其保存到mylist
:
base_dir = r"..\test"
mylist = []
**Method 1:**
for root, dirs, files in os.walk(base_dir):
li = root.split('\\')
#Only if the list has 3 elements of more, get the 3rd element
if len(li) > 3:
#print(li[3])
mylist.append(li[3])
#print(mylist)
mylist = list(set(mylist))
mylist.sort()
print(mylist)
**Method 2:**
for root, dirs, files in os.walk(base_dir):
try:
li = root.split('\\')
mylist.append(li[3])
except IndexError:
pass
mylist = list(set(mylist))
mylist.sort()
print(mylist)
输出:
['a1', 'a2', 'a3', 'b1', 'b2', 'b3', 'b4', 'c1', 'c2', 'c3']
现在还可以,谢谢。
答案 0 :(得分:3)
[2]
中没有子目录时,您会得到索引错误(例如,类似C:\\SomeEmptyFolder
的东西)
这应该很好
for root, dirs, files in os.walk(base_dir):
try:
print(root.split('\\')[2])
except IndexError:
pass
答案 1 :(得分:2)
根据您的输出,很明显root.split('\\')
并不总是包含3个元素,因此print(root.split('\\')[2])
会使索引超出范围,我建议先检查列表的长度,然后再检查列表的长度得到第三个元素
for root, dirs, files in os.walk(base_dir):
li = root.split('\\')
#Only if the list has 3 elements of more, get the 3rd element
if len(li) > 2:
print(li[2])
输出将为
a
a
a
a
a
a
b
b
b
b
c
c
c
然后按照更新后的问题制作mylist
,您可以先将所有元素添加到mylist中,然后使用itertools.groupby一次性删除连续的重复项,而不必每次都创建一组错列的列表步骤
from itertools import groupby
mylist = []
for root, dirs, files in os.walk(base_dir):
li = root.split('\\')
#Only if the list has 3 elements of more, get the 3rd element
if len(li) > 3:
val = li[3].strip()
#If element is non-empty append to list
if val:
mylist.append(val)
#Remove consecutive repeated elements by using groupby
result = [x[0] for x in groupby(mylist)]
print(result)
输出将为
['a1', 'a2', 'a3', 'b1', 'b2', 'b3', 'b4', 'c1', 'c2', 'c3']