我有一个包含 100 个日期 (dd/mm/yyyy) 的文件,如下所示:
10112017
23012012
01022008
在 bash 中,我需要在这些日期上添加 8 周才能获得如下输出:
10112017 05012018
23012012 19032012
01022008 28032008
我在想可能是 awk,或者可能是在读 p 时开始的东西,但我无法得到我想要的输出。
非常感谢您的帮助。
答案1
您可以使用 perl 和Time::Piece
模块:
perl -MTime::Piece -MTime::Seconds -lpe '
$dt = Time::Piece->strptime($_,"%d%m%Y") + 8 * ONE_WEEK;
$_ .= $dt->strftime(" %d%m%Y")
' file
10112017 05012018
23012012 19032012
01022008 28032008
或使用 GNU awk ( gawk
) 和 GNUdate
gawk -v FIELDWIDTHS='2 2 4' '{
cmd = sprintf("date +%%d%%m%%Y -d \"%s/%s/%s + 8 weeks\"", $2, $1, $3);
cmd |& getline dt;
close(cmd)
}
{
print $0,dt
}
' file
10112017 05012018
23012012 19032012
01022008 28032008
或者(我最喜欢这种事情),磨坊主
$ mlr --nidx put -S '$2 = strftime(strptime($1,"%d%m%Y") + 4838400,"%d%m%Y")' file
10112017 05012018
23012012 19032012
01022008 28032008
其中4838400
8 周以秒为单位 (3600 x 24 x 7 x 8)。
答案2
]# date -d '2020-2-1 +8 week' +%Y-%m-%d
2020-03-28
]# date -d '2019-2-1 +8 week' +%Y-%m-%d
2019-03-29
]# date -d '2019-7-1 +8 week' +%Y-%m-%d
2019-08-26
info date
还有一些额外的例子。我使用了 YYYY-MM-DD 表示法,它不适用于您的 DDMMYYYY 表单。
这是 GNU 的date
。该示例表明月份长度和闰年有效。
有了date
一个基本的日历处理工具。也许有更好的方法将其集成到您的脚本中 - 正如您看到输入“DDMMYYYY”需要(?)处理。
对于输出格式+%Y-%m-%d
可以更改为+%d%m%Y
.
答案3
下面带注释的 bash 脚本。运行如下:./script.sh < inputfile > outputfile
.
#!/bin/bash
# date1 is orignal date string in 1st column
# date2 is 8 weeks later than date1
while read date1 ; do
# Skip emtpy lines
#
[ "$date1" ] || continue
# We want to use 'date' command to calculate 8 weeks later.
# However the 'date' command does not accept 'ddmmyyyy', but it
# does accept 'yyyy-mm-dd'. So we need to convert first.
#
dd=${date1%??????}
mm=${date1#??} ; mm=${mm%????}
yyyy=${date1#????}
# The 'date' command does have its own option to specify output
# format of the date. It also just lets specify the input date
# like this: "1983-04-18 + 8 weeks" to have it calculate what we
# need here.
#
date2=$(date -d "${yyyy}-${mm}-${dd} + 8 weeks" +'%d%m%Y')
# Now just output both dates on one line
#
echo $date1 $date2
done