私のディレクトリツリーでは、一部のサブフォルダには* .flacファイルと* .mp3ファイルの両方が含まれていますが、他のサブフォルダには* .mp3ファイルのみが含まれています。すべての* .mp3ファイルを別のターゲット(別のハードドライブ)に移動したいが、* .flacファイルがそのサブディレクトリにある場合にのみ可能です。つまり、*.flacの重複がない場合は*.mp3を維持したいと思います。
どんな提案がありますか?
ベストアンサー1
一般化する
この問題を解決する直感的な方法は次のとおりです。
- mp3ファイルのリストを繰り返し繰り返します。
- 見つかったmp3ファイルごとに一致するflacファイルを確認し、
- flacファイルが存在する場合は、ファイルのペアをソースディレクトリからターゲットディレクトリの対応するパスに移動します。
私はこの単純なアルゴリズムの基本的な実装をPythonとBashに含めました。
Pythonソリューション
以下は、目的のタスクを実行するPythonスクリプトです。
#!/usr/bin/env python3
# -*- encoding: utf-8 -*-
"""move_pairs.py
Move pairs of matching *.mp3 and *.flac files from one directory tree to another.
"""
from glob import glob
import os
import shutil
import sys
# Get source and target directories as command-line arguments
source_dir = sys.argv[1]
target_dir = sys.argv[2]
# Recursivley iterate over all files in the source directory with a ".mp3" filename-extension
for mp3_file in glob("{}/**/*.mp3".format(source_dir), recursive=True):
# Create the corresponding ".flac" filename
flac_file = mp3_file[:-3] + "flac"
# Check to see if the ".flac" file exists - if so, then proceed
if os.path.exists(flac_file):
# Create the pair of target paths
new_mp3_path = target_dir + "/" + mp3_file.partition("/")[2]
new_flac_path = target_dir + "/" + flac_file.partition("/")[2]
# Ensure that the target subdirectory exists
os.makedirs(os.path.dirname(new_mp3_path), exist_ok=True)
# Move the files
shutil.move(mp3_file, new_mp3_path)
shutil.move(flac_file, new_flac_path)
次のように呼び出すことができます。
python move_pairs.py source-directory target-directory
テストするために、次のファイル階層を作成しました。
.
├── source_dir
│ ├── dir1
│ │ ├── file1.flac
│ │ ├── file1.mp3
│ │ └── file2.mp3
│ └── dir2
│ ├── file3.flac
│ ├── file3.mp3
│ └── file4.mp3
└── target_dir
スクリプトを実行した後、次のような結果が得られました。
.
├── source_dir
│ ├── dir1
│ │ └── file2.mp3
│ └── dir2
│ └── file4.mp3
└── target_dir
├── dir1
│ ├── file1.flac
│ └── file1.mp3
└── dir2
├── file3.flac
└── file3.mp3
カンクンソリューション
Bashでほぼ同じ実装は次のとおりです。
#!//usr/bin/env bash
# Set globstar shell option to enable recursive globbing
shopt -s globstar
# Get source and target directories as command-line arguments
source_dir="$1"
target_dir="$2"
# Recursively iterate over all files in the source directory with a ".mp3" filename-extension
for mp3_file in "${source_dir}"/**/*.mp3; do
# Create the corresponding ".flac" filename
flac_file="${mp3_file%.mp3}.flac"
# Check to see if the ".flac" file exists - if so, then proceed
if [[ -f "${flac_file}" ]]; then
# Create the pair of target paths
new_mp3_path="${mp3_file/#${source_dir}/${target_dir}}"
new_flac_path="${flac_file/#${source_dir}/${target_dir}}"
# Ensure that the target subdirectory exists
mkdir -p "$(dirname ${new_mp3_path})"
# Move the files
mv -i "${mp3_file}" "${new_mp3_path}"
mv -i "${flac_file}" "${new_flac_path}"
fi
done
このスクリプトを次のように実行します。
bash move_pairs.sh source_dir target_dir
これはPythonスクリプトを実行するのと同じ結果を提供します。