shell通过遍历输出两个日期范围内所有日期的方法
前言
在平常c/c++开发中经常遇到日期处理的情形,例如求两个给定的日期之间相差的天数或者需要使用map存储两个固定日期范围内的所有日期。前段时间项目中需要用shell脚本批量处理给定的两个日期范围内所有日期产生的日志,当时以为shell处理不方便就用c++来处理了。后面用shell实现了下,发现也挺简单的。
一、思路流程
1、显然不能直接把这两个日期当作整数相减得到差值然后把初始日期不断累加1得到所有的日期,而且要考虑大小月的问题。
2、为了以后开发的方便,需要把这个求两个固定上期范围内的所有日期功能封装在一个函数(即下面脚本中的genalldate)中。
但是shell的function不能像c/c++那样能return一个数据类型,也没有引用或者指针的功能,所以在需要先声明一个数组变量date_array用于存放计算出来的所有日期,然后在函数遍历中直接写入每个日期数据。
3、最后使用了3种方法来遍历输出数组date_array存放的所有日期。
4、输出的日期格式尽量能够自定义,例如2017-03-30、2017.06.18和20170618等等。
二、shell程序
#!/bin/bash # filename: alldateduringtwodays1.sh # description: print all the date during the two days you inpute. # simple usage: ./alldateduringtwodays1.sh 2017-04-01 2017-06-14 or ./alldateduringtwodays1.sh 20170401 20170614 [-] # (c) 2017.6.15 vfhky https://typecodes.com/linux/alldateduringtwodays1.html # https://github.com/vfhky/shell-tools/blob/master/datehandle/alldateduringtwodays1.sh if [[ $# -le 2 || $# -gt 3 ]]; then echo "usage: $0 2017-04-01 2017-06-14 [-] or $0 20170401 20170614 [-] ." exit 1 fi start_day=$(date -d "$1" +%s) end_day=$(date -d "$2" +%s) # the spliter bettwen year, month and day. spliter=${3} # declare an array to store all the date during the two days you inpute. declare -a date_array function genalldate { if [[ $# -ne 3 ]]; then echo "usage: genalldate 2017-04-01 2017-06-14 [-] or genalldate 20170401 20170614 [-] ." exit 1 fi start_day_tmp=${1} end_day_tmp=${2} spliter_tmp=${3} i_date_array_indx=0 # while [[ "${start_day}" -le "${end_day}" ]]; do while (( "${start_day_tmp}" <= "${end_day_tmp}" )); do cur_day=$(date -d @${start_day_tmp} +"%y${spliter_tmp}%m${spliter_tmp}%d") date_array[${i_date_array_indx}]=${cur_day} # we should use start_day_tmp other ${start_day_tmp} here. start_day_tmp=$((${start_day_tmp}+86400)) ((i_date_array_indx++)) #sleep 1 done } # call the funciotn to generate date during the two days you inpute. genalldate "${start_day}" "${end_day}" "${spliter}" # [method 1] traverse the array. echo -e "[method 1] traverse the array." for single_day in ${date_array[@]}; do echo ${single_day} done # [method 2] traverse the array. echo -e "\n[method 2] traverse the array." for i in "${!date_array[@]}"; do printf "%s\t%s\n" "$i" "${date_array[$i]}" done # [method 3] traverse the array. echo -e "\n[method 3] traverse the array." i=0 while [ $i -lt ${#date_array[@]} ] do echo ${date_array[$i]} let i++ done # if you do not need this array any more, you can unset it. # unset date_array exit 0
三、测试
该shell脚本支持的输入日期格式为2017-04-01和20170401这两种,输出的日期格式格式很灵活,只要在执行程序时再追加一个任意日期分隔符(例如常见的.、-等)即可,最后由脚本中的spliter变量做输出格式控制。
这里使用./alldateduringtwodays1.sh 2017-03-30 2017-04-02 .进行测试,效果如下图所示。
四、脚本管理
目前已经把这个脚本放在github了,地址是(也可以通过),以后脚本的更新或者更多好用的脚本也都会加入到这个工程中。
总结
以上就是这篇文章的全部内容了,希望本文的内容对大家的学习或者工作能带来一定的帮助,如果有疑问大家可以留言交流,谢谢大家对的支持。