2つのファイルサイズを比較し、小さいファイルを削除します。

2つのファイルサイズを比較し、小さいファイルを削除します。

2つのファイルのうち小さい方を削除する方法を探しています。私の映画ライブラリで重複したファイルを見つける方法を見つけましたが、今は小さなファイルを削除する必要があります。

bash - 拡張子に関係なく、同じ名前のすべてのファイルを検索する

もちろん、いくつかの「問題」があります。リストの現在の出力には拡張子はありません。

たとえば、

root@fs:ls * |  awk '!/.srt/'  | sed 's/.\{4\}$//' | sort | uniq -d
Captain Fantastic (2016)
The Hurt Locker (2008)
The Warriors (1979)

Captain Fantastic (2016).*両方のファイルの拡張子が異なるため、戻って2つのファイルを名前と比較する方法が必要です。 (すべてのファイルは同じフォルダにあります)

これは質問の範囲をわずかに超えています。

また、ファイルが存在することを確認したいと思いますFILENAME.srt。その場合は、何も実行せず、手動確認のためにファイル名をログに保存します。 (どのファイルsrtが同期されるかを調べる必要があります)。

答え1

提案:

#!/bin/sh

# Look at filenames in current directory and generate list with filename
# suffixes removed (a filename suffix is anything after the last dot in
# the file name). We assume filenames that does not contain newlines.
# Only unique prefixes will be generated.
for name in ./*; do
        [ ! -f "$name" ] && continue # skip non-regular files
        printf '%s\n' "${name%.*}"
done | sort -u |
while IFS= read -r prefix; do
        # Set the positional parameters to the names matching a particular prefix.
        set -- "$prefix"*

        if [ "$#" -ne 2 ]; then
                printf 'Not exactly two files having prefix "%s"\n' "$prefix" >&2
                continue
        fi

        # Check file sizes and remove smallest.
        if [ "$( stat -c '%s' "$1" )" -lt "$( stat -c '%s' "$2" )" ]; then
                # First file is smaller
                printf 'Would remove "%s"\n' "$1"
                echo rm "$1"
        else
                # Second file is smaller, or same size
                printf 'Would remove "%s"\n' "$2"
                echo rm "$2"
        fi
done

これはGNUを想定していますstat

答え2

まあ、これはRe: Kusalanandaのコメントから私の質問に具体的に答えます。 2つ以上のファイルが見つかると、すべてが壊れ、誤ったファイルが削除されます。このスクリプトは私のニーズに合わせて調整されていますが、他の目的にも使用できます。

#!/bin/bash

#Create Log with Single Entry for Each Duplicate Without File Extension
duplog='dupes.log'
ls * |  awk '!/.srt/'  | sed 's/.\{4\}$//' | sort | uniq -d > "$duplog"

#Testing!
cat "$duplog"

#List Each Iteration of File in log starting with Largest File
log='tmp.log'
while read p; do

#More Testing!
du -k "$p".*

ls -1S  "$p".* >> "$log"
done < $duplog

#Testing!
cat "$log"

#Remove Large File Entry via Sed
#Note: This relies on only two variations being found or it will delete wrong lines in file
sed -i '1~2d' "$log"

#Testing!
cat "$log"

#Delete Smaller File
while read p; do
  echo "Deleting $p"
  rm "$p"
done <"$log"

#Delete Log
rm "$log"

出力:

root@fs:/Movies# du -k tk.m*
4       tk.mkv
0       tk.mp4
root@fs:/Movies# ./test.sh
tk
4       tk.mkv
0       tk.mp4
tk.mkv
tk.mp4
tk.mp4
Deleting tk.mp4
root@fs:/Movies#

PS:これは「ハッキング的」であると確信していますが、これは私のニーズに適しており、学習プロセスのもう一つのステップです。 :)

関連情報