linux写一个脚本定时每个月最后一天去获取某个文件夹里文件的上传时间并移动文件到指定目录
时间: 2023-09-07 10:04:07 浏览: 175
### 回答1:
可以使用 Linux shell 脚本实现这个需求。
以下是一个示例脚本:
```
#!/bin/bash
# 设置源文件夹和目标文件夹的路径
src_dir=/path/to/src
dst_dir=/path/to/dst
# 获取当前月份最后一天的日期
last_day=$(date -d "$(date +%Y-%m-01) +1 month -1 day" +%Y-%m-%d)
# 获取当前日期
today=$(date +%Y-%m-%d)
# 如果当前日期是本月最后一天,执行移动文件操作
if [ "$today" == "$last_day" ]; then
# 获取源文件夹中的所有文件的上传时间
for file in $(ls "$src_dir"); do
# 获取文件的上传时间
file_time=$(stat -c %y "$src_dir/$file" | cut -d' ' -f1)
# 将文件移动到目标文件夹中
mv "$src_dir/$file" "$dst_dir/$file_time-$file"
done
fi
```
这个脚本会每个月最后一天去检查源文件夹中的文件,并将文件按照它们的上传时间移动到目标文件夹中。
### 回答2:
要实现定时每个月最后一天去获取某个文件夹里文件的上传时间并移动文件到指定目录,可以使用Linux的crontab定时任务和Shell脚本来实现。
首先,创建一个Shell脚本文件,比如`move_files.sh`,并在其中编写以下代码:
```shell
#!/bin/bash
source_dir=/path/to/source/directory
destination_dir=/path/to/destination/directory
last_day=$(date -d "$(date -d "+1 month" +%Y-%m-01) -1 day" +%Y-%m-%d)
for file in "$source_dir"/*; do
if [ -f "$file" ]; then
upload_time=$(stat -c %y "$file" | cut -d' ' -f1)
if [ "$upload_time" = "$last_day" ]; then
mv "$file" "$destination_dir"
fi
fi
done
```
以上脚本的逻辑是,首先定义源文件夹的路径`source_dir`和目标文件夹的路径`destination_dir`。然后使用`date`命令获取下个月第一天,再通过减一天得到当前月的最后一天的日期。接着使用`for`循环遍历源文件夹中的所有文件,使用`stat`命令获取文件的上传时间并和最后一天进行比较,若相等则使用`mv`命令将文件移动到目标文件夹。
保存并退出脚本文件后,给该文件添加执行权限:
```shell
chmod +x move_files.sh
```
接下来,使用`crontab -e`命令编辑当前用户的定时任务:
```shell
crontab -e
```
在打开的文件末尾添加以下内容:
```
59 23 28-31 * * /path/to/move_files.sh
```
其中,`59 23 28-31 * *`表示在每个月28至31日的23:59分执行一次脚本。`/path/to/move_files.sh`表示脚本文件的完整路径。
保存并退出定时任务文件后,定时任务就设置完成了。每个月最后一天的23:59分,该脚本将被执行,移动满足条件的文件到目标文件夹。
### 回答3:
可以通过编写一个Shell脚本来实现定时获取文件夹中文件的上传时间,并将文件移动到指定目录。下面是一个简单的示例脚本:
```shell
#!/bin/bash
# 获取当前年份和月份
current_year=$(date +%Y)
current_month=$(date +%m)
# 获取下个月的第一天
next_month=$(date --date="$(date +%Y-%m-15) +1 month" +%Y-%m-01)
# 计算下个月第一天的前一天,即当前月的最后一天
last_day=$(date --date="$next_month -1 day" +%d)
# 构造文件夹路径
folder_path="/path/to/folder"
# 构造指定目录路径
destination_path="/path/to/destination"
# 遍历文件夹中的文件
for file in "$folder_path"/*; do
# 获取文件的上传时间
upload_date=$(stat -c %y "$file" | cut -d' ' -f1)
# 判断上传时间是否为当前月的最后一天
if [[ $upload_date == $current_year-$current_month-$last_day ]]; then
# 移动文件到指定目录
mv "$file" "$destination_path"
fi
done
```
上述脚本中,首先获取当前的年份和月份,然后通过日期计算获取下个月的第一天,再根据下个月第一天的前一天即可得到当月的最后一天。接下来,利用循环遍历文件夹中的文件,并使用`stat`命令获取文件的上传时间。判断文件的上传时间是否为当月的最后一天,如果是,则使用`mv`命令将文件移动到指定目录。请注意在脚本中将`/path/to/folder`和`/path/to/destination`替换为实际的文件夹路径和指定目录路径。
阅读全文