我有这样的文件夹结构:
/Folder1/Folder2/output/0653/3547/0112945601/
/Folder1/Folder2/output/0653/3547/0112945602/
只有第 5个子文件夹发生变化。
我想列出所有第 5个子文件夹并像这样重新组织它们:
/Folder1/Folder2/output01/0653/3547/0112945601/
/Folder1/Folder2/output02/0653/3547/0112945602/
/Folder1/Folder2/output03/0653/3547/0112945603/
...
/Folder1/Folder2/output<nn>/0653/3547/01129456<nn>/
如果我们有 10 个子文件夹,那么按照这个逻辑,我需要有 10 个输出文件夹。
我尝试使用
find -maxdepth 5 -type d
并将其放入 while 循环中,但我不能只处理第 5个子文件夹。
你觉得我能做什么?
答案1
for dir in Folder1/Folder2/output/*/*/*; do
suffix=${dir:(-2)}
subdir="$(cut -d '/' -f 4- <<<$dir)"
newdir="Folder1/Folder2/output${suffix}/${subdir}"
echo mkdir -p "$newdir"
echo mv "$dir"/* "$newdir"/
done
在您进行空运行后,如果它看起来正在生成适合您的命令,则删除语句echo
以实际移动文件。
答案2
假设您当前位于所在目录Folder1
:
#!/bin/bash
# Don't even attempt to do something
# if we're in the wrong place.
cd Folder1/Folder2 || exit 1
# Make the shell remove patterns that aren't matched,
# rather than leaving them as they are.
shopt -s nullglob
for dirpath in output/*/*/*/; do
if [[ $dirpath =~ output/(.*)/[^/]*(..)/ ]]; then
# "${BASH_REMATCH[1]}" is something like "0653/3457"
# "${BASH_REMATCH[2]}" is the 2-character suffix, like "01"
newdir=output${BASH_REMATCH[2]}/${BASH_REMATCH[1]}
mkdir -p "$newdir" &&
mv "$dirpath" "$newdir"
fi
done
这使用正则表达式匹配功能从bash
目录路径名的末尾挑选出数字后缀,并output
使用它构造一个新的目录名。
这将采用目录结构
.
`-- Folder1/
`-- Folder2/
`-- output/
`-- 0653/
`-- 3547/
|-- 0112945601/
`-- 0112945602/
并将其变成
.
`-- Folder1/
`-- Folder2/
|-- output/
| `-- 0653/
| `-- 3547/
|-- output01/
| `-- 0653/
| `-- 3547/
| `-- 0112945601/
`-- output02/
`-- 0653/
`-- 3547/
`-- 0112945602/
Folder1/Folder2/output
然后可以使用删除空目录
find Folder1/Folder2/output -type d -empty -delete
或者,使用标准并忽略尝试删除非空目录时find
的错误,rmdir
find Folder1/Folder2/output -depth -type d -exec rmdir {} \; 2>/dev/null
这留下了
.
`-- Folder1/
`-- Folder2/
|-- output01/
| `-- 0653/
| `-- 3547/
| `-- 0112945601/
`-- output02/
`-- 0653/
`-- 3547/
`-- 0112945602/
显然你会在复制首先您的数据。
答案3
#!/usr/bin/env bash
PATH="/folder1/folder2/folder3"
HIERARQUIA=$(/usr/bin/find $PATH/????/????/ -maxdepth 0 -type d | /usr/bin/cut -d "/" -f5-|/usr/bin/sort -s )
OUTPUT=1
for i in $HIERARQUIA
do
SUBPASTAS=$(/usr/bin/find $PATH/$i -maxdepth 1 -type d | /usr/bin/cut -d "/" -f7 |/usr/bin/sort -s)
for a in $SUBPASTAS
do
/usr/bin/mkdir -p $PATH/output$OUTPUT/$i$a
/usr/bin/mv $PATH/$i$a/* $PATH/output$OUTPUT/$i$a
OUTPUT=$(($OUTPUT +1))
done
OUTPUT=1
done
我发现了这个结果,它达到了目的。对于有一天遇到类似问题的每个人,这里是代码。
感谢所有回复并试图帮助我的人