shell备份脚本重命名

时间:2017-02-23 15:30:03

标签: shell backup

我能够编写备份过程的脚本,但我想为我的存储服务器创建另一个脚本以进行基本文件轮换。 我想做什么: 我想将我的文件存储在/ home / user / backup文件夹中。只想存储10个最新鲜的备份文件,并将它们命名为: site_foo_date_1.tar site_foo_date_2.tar ... site_foo_date_10.tar site_foo_date_1.tar是最新的备份文件。 过去的num10文件将被删除。 来自其他服务器的传入文件的名称如下:site_foo_date.tar

我该怎么做? 我试过了:

DATE=`date "+%Y%m%d"`


cd /home/user/backup/com
if [ -f site_com_*_10.tar ]
then
rm site_com_*_10.tar
fi

FILES=$(ls)

for file in $FILES
do
echo "$file"
if [ "$file" != "site_com_${DATE}.tar" ]
then
str_new=${file:18:1}
new_str=$((str_new + 1))
to_rename=${file::18} 
mv "${file}" "$to_rename$new_str.tar" 
fi
done

file=$(ls | grep site_com_${DATE}.tar)
filename=`echo "$file" | cut -d'.' -f1`
mv "${file}" "${filename}_1.tar"

1 个答案:

答案 0 :(得分:0)

您的代码的主要问题是使用ls *循环遍历目录中的所有文件而不使用某种过滤器是一件危险的事情。

相反,我使用for i in $(seq 9 -1 1)循环遍历* _9到* _1的文件来移动它们。这样可以确保我们只移动备份文件,而不会意外地进入备份目录。

此外,依赖序列号作为文件名中的第18个字符也注定要中断。如果您将来想要超过10个备份会发生什么?使用此设计,您可以将9更改为您喜欢的任何数字,即使它超过2位数。

最后,我在移动site_com_${DATE}.tar之前添加了一张支票,以防它不存在。

#!/bin/bash

DATE=`date "+%Y%m%d"`

cd "/home/user/backup/com"
if [ -f "site_com_*_10.tar" ]
then
rm "site_com_*_10.tar"
fi

# Instead of wildcarding all files in the directory
# this method picks out only the expected files so non-backup
# files are not changed. The renumbering is also made easier
# this way.
# Loop through from 9 to 1 in descending order otherwise
# the same file will be moved on each iteration
for i in $(seq 9 -1 1)
do
# Find and expand the requested file
file=$(find . -maxdepth 1 -name "site_com_*_${i}.tar")
if [ -f "$file" ]
then
echo "$file"
# Create new file name
new_str=$((i + 1))
to_rename=${file%_${i}.tar}
mv "${file}" "${to_rename}_${new_str}.tar" 
fi
done

# Check for latest backup file
# and only move it if it exists.
file=site_com_${DATE}.tar
if [ -f $file ]
then
filename=${file%.tar}
mv "${file}" "${filename}_1.tar"
fi