2つのフォルダを比較し、シェルスクリプトを使用して違いを3番目のフォルダにコピーする方法

2つのフォルダを比較し、シェルスクリプトを使用して違いを3番目のフォルダにコピーする方法
#!/bin/sh
# This is comment!
echo Hello World
for file1 in /C:/Users/shubham.tomar/Desktop/Shell/Test1/*; 
do
filename1=$(basename "$file1")
echo $filename1
echo "------------------------"
for file2 in /C:/Users/shubham.tomar/Desktop/Shell/Test2/*;
do
filename2=$(basename "$file2")
echo $filename2
if [["filename1" = "filename2"]]; then
echo "---File matched---"
else
mv -f /C:/Users/shubham.tomar/Desktop/Shell/Test2/$filename2 /C:/Users/shubham.tomar/Desktop/Shell/Moved/
fi
echo "--------------File Moved-----------"
done
done

**

質問に関する注意事項

**

例:Desktop / Test1とDownloads / Test2の特定のパスにいくつかのファイルがあります。 Test2にはあるがTest1にはないすべてのファイルを例:Documents / MovedFilesのパスに移動するシェルスクリプトを作成したいと思います。ファイルは次のようになります。どんなタイプでも

答え1

sf() {
    # find all files in the directory $1 non-recursively and sort them
    find $1 -maxdepth 1 -type f printf '%f\n' | sort
}

その後実行

join -v 1 <(sf Tes2) <(sf Tes1) | xargs -d '\n' -I file mv Tes2/file MovedFiles/

パイプの左側のオペランドは、Tes2ディレクトリに存在しないすべてのファイルを探しますTes1

その後、パイプの右側のオペランドはこれらのファイルをディレクトリに移動しますMovedFiles

答え2

入れ子になったforループの使用は間違っています。Test1のすべてのファイル名を比較したくありませんTest2

編集:デバッグとファイルの使用を防ぐためのいくつかの追加のスクリプト行*

#!/bin/sh

# Check if this is correct
dir1="/C:/Users/shubham.tomar/Desktop/Shell/Test1"
# maybe you have to write
# dir1="/c/Users/shubham.tomar/Desktop/Shell/Test1"
dir2="/C:/Users/shubham.tomar/Desktop/Shell/Test2"
targetdir="/C:/Users/shubham.tomar/Desktop/Shell/Moved"

# for debugging
echo contents of dir1 $dir1
ls "$dir1"
echo contents of dir2 $dir2
ls "$dir2"

# loop over all files in $dir2 because you want to find files in $dir2 that are not in $dir1
for file2 in "$dir2"/*
do
    # if $dir2 does not exist or is empty we will get something like file2="/C:/Users/shubham.tomar/Desktop/Shell/Test2/*" 
    # That's why check if the file exists
    if [ -f "$file2" ]
    then
        filename2=$(basename "$file2")
        echo $filename2
        echo "------------------------"

        # does a file with the same basename exist in $dir1?
        if [ ! -f "$dir1/$filename2" ]
        then
            # using "$targetdir"/." makes sure you get an error if $targetdir is a file instead of a directory
            mv -f "$file2" "$targetdir"/.
            echo "--------------File Moved-----------"
        else
            echo "file with the same name exists in $dir1"
        fi
    fi
done

実際にファイルを移動せずに最初にこれを試すには、次の行を置き換えます。

        mv -f "$file2" "$targetdir"/.

そして

        echo mv -f "$file2" "$targetdir"/.

関連情報