一括ファイルの名前変更、サブフォルダの作成、パターン別にファイルを移動

一括ファイルの名前変更、サブフォルダの作成、パターン別にファイルを移動

フォルダに500000個のファイルがあり、そのファイルをサブフォルダに移動したいと思います。これらのサブフォルダは自動的に作成する必要があります。

パターンはです{prefix}-{date}T{time}-{suffix}

フォルダ構造は次のようになります{date}/{time}/{suffix}

Bashスクリプトを使用してプレフィックスを削除しました。

    #!/bin/bash
    for f in prefix-* ; do
        mv "$f" "${f/prefix-}"
    done

ベストアンサー1

ファイル名にダッシュ-や大文字が含まれていないと仮定すると、T次のbashループを構築できます。

for f in *
do
   date=$(tmp=${f#*-};echo ${tmp%T*})
   time=$(tmp=${f#*T};echo ${tmp%-*})
   suffix=${f##*-}
   mkdir -p ${date}/${time}/${suffix}
   mv $f ${date}/${time}/${suffix}/
done

マニュアルページによると、これはデフォルトのbashパラメータ拡張構文です。

   ${parameter#word}
   ${parameter##word}
          Remove matching prefix pattern.  The word is expanded to produce a pattern just as in pathname expansion.  If the pat‐
          tern matches the beginning of the value of parameter, then the result of the expansion is the expanded value of param‐
          eter with the shortest matching pattern (the ``#'' case) or the longest matching pattern (the  ``##''  case)  deleted.
          If  parameter is @ or *, the pattern removal operation is applied to each positional parameter in turn, and the expan‐
          sion is the resultant list.  If parameter is an array variable subscripted with @ or *, the pattern removal  operation
          is applied to each member of the array in turn, and the expansion is the resultant list.

   ${parameter%word}
   ${parameter%%word}
          Remove matching suffix pattern.  The word is expanded to produce a pattern just as in pathname expansion.  If the pat‐
          tern matches a trailing portion of the expanded value of parameter, then the result of the expansion is  the  expanded
          value  of  parameter  with  the shortest matching pattern (the ``%'' case) or the longest matching pattern (the ``%%''
          case) deleted.  If parameter is @ or *, the pattern removal operation is applied to each positional parameter in turn,
          and  the  expansion  is  the  resultant  list.  If parameter is an array variable subscripted with @ or *, the pattern
          removal operation is applied to each member of the array in turn, and the expansion is the resultant list.

Bashは拡張操作の直接ネストを許可しないため、一時変数をプレースホルダとして使用しました。

date=$(tmp=${f#*-};echo ${tmp%T*})
$f現在のファイル名は次のとおりです。この時点で、
tmp={f#*-}最初のファイルより前のすべての項目(最初の項目を含む)を削除します。 tmpは維持します。以降のすべての項目(含む)を削除します。-
{date}T{time}-{suffix}
${tmp%T*}T

おすすめ記事