Bashスクリプトを使用してファイルをフォルダに移動する

Bashスクリプトを使用してファイルをフォルダに移動する

私のホームディレクトリには、FTPサーバーから抽出された、、およびその他のApple-AP01ファイルApple-AP02Banana-AP05いくつかあります。同じChocolate-RS33ホームディレクトリにFruit。これらのフォルダ内には、などのサブフォルダSweetもあります。Apple-AP01Apple-AP02Chocolate-RS33

自分のホームディレクトリでスクリプトを実行してスクリプトを作成したら、キーワードに基づいてFruitフォルダに入れてから、それを追加する必要がありますApple-AP01。の場合、キーワードに応じてフォルダを入力してから、フォルダ内のサブフォルダをさらに入力する必要があります。私のすべてのファイルにはこれが必要です。誰かが動作するbashスクリプトを書くことはできますか?APApple-AP01Chocolate-RS33SweetRSChocolate-RS33Sweet

頑張った

for f in *.
do
    name=`echo "$f"|sed 's/ -.*//'`
    letter=`echo "$name"|cut -c1`
    dir="DestinationDirectory/$letter/$name"
    mkdir -p "$dir"
    mv "$f" "$dir"
done

ループを使用する必要があるようですが、forbashでどのように使用するのかわかりません。

答え1

これには、実行したいほとんどの作業を含める必要があります。

sortfood.sh

#!/bin/bash


# Puts files into subdirectories named after themselves in a directory.

# add more loops for more ID-criteria

for f in *AP*; do
    mkdir -p "./fruit/$f";
    mv -vn "$f" "./fruit/$f/";
done

for f in *RS*; do
    mkdir -p "./sweet/$f";
    mv -vn "$f" "./sweet/$f/";
done

答え2

あなたの要件を満たしていることを確認してください。

最初の方法:

#!/bin/bash

declare -A arr_map

arr_map=([AP]=Fruit [RS]=Sweet)

# Iterate through indexes of array
for keyword in "${!arr_map[@]}"; do
    # Search files containing the "-$keyword" pattern in the name
    # like "-RS" or "-AP". This pattern can be tuned to the better matching.
    for filename in *-"$keyword"*; do
        # if file exists and it is regular file
        if [ -f "$filename" ]; then
            destination=${arr_map["$keyword"]}/"$filename"
            # Remove these echo commands, after checking resulting commands.
            echo mkdir -p "$destination"
            echo mv -iv "$filename" "$destination"
        fi  
    done
done

2番目の方法:

#!/bin/bash

declare -A arr_map

arr_map=([AP]=Fruit [RS]=Sweet)

# Iterate through all files at once
for i in *; do
    # If the file is a regular and its name conforms to the pattern
    if [[ -f "$i" && "$i" =~ [A-Za-z]+-[A-Z]+[0-9]+ ]]; then
        # trim all characters before the dash: '-' from the beginning
        keyword=${i#*-}
        # trim all digits from the ending
        keyword=${keyword%%[0-9]*}

        # if the arr_map contains this keyword
        if [[  ${arr_map["$keyword"]} != "" ]]; then
            destination=${arr_map["$keyword"]}/$i
            # Remove these echo commands, after checking resulting commands.
            echo mkdir -p "$destination"
            echo mv -iv "$i" "$destination"
        fi
    fi
done

関連情報