1

我希望我的日历能够正确处理带有前导零的月份,例如:“cal 01”或“cal 01 2012”

如何编写代码以使我的日历正确处理带有前导零的月份?

到目前为止,这是我的代码:

$ cat cal
#cal: nicer interface to /usr/bin/cal

case $# in
0)  set 'data';m=$2; y=$6 ;;    # no argu: use today
1)  m=$1; set 'data'; y=$6 ;;   # 1 rg: use this year
*)  m=$1; y=$2 ;;           # 2 ags: month and year 
esac

case $m in
jan*|Jan*)  m=1 ;;
feb*|Feb*)  m=2 ;;
mar*|Mar*)  m=3 ;;
apr*|Apr*)  m=4 ;;
may*|May*)  m=5 ;;
jun*|Jun*)  m=6 ;;
jul*|Jul*)  m=7 ;;
aug*|Aug*)  m=8 ;;
sep*|Sep*)  m=9 ;;
oct*|Oct*)  m=10 ;;
nov*|Nov*)  m=11 ;;
dec*|Dec*)  m=12 ;;
[1-9]|10|11|12) ;;          # numeric month
*)      y=$m; m="" ;;       # plain year
esac

/usr/bin/cal $m $y          # run the real one
$
4

1 回答 1

1

您可以在 case 语句中进行多个正则表达式匹配,即

case $m in
01|1|jan*|Jan*)  m=1 ;;
02|2|feb*|Feb*)  m=2 ;;

....

否则,您可以使用 shell 参数替换来删除任何前导 0,即

# as a way to demonstrate param sub on $1 etc, load values to $1 and $2
set -- 01 02 
echo ${1#0}
echo ${2#0}

# output
1
2

编辑

对于您的后续问题

例如,当前月份是 2005 年 11 月,如果你运行“cal 01”,你应该打印出 2006 年 1 月的日历

试试这个:

# if the month input is less than the current month, assume the next year
if (( ${y:-0} == 0  && m < $(/bin/date +%m) )) ; then
   y=$(/bin/date +%Y)
   ((y++))
fi

${y:-0}是大多数 shell 提供的几种参数检查语法之一,如果 var 值完全未设置(根本未设置)或 = "",则允许替换默认值。所以在这种情况下,如果y没有通过命令行设置,它将在此评估中显示为 0,允许&&执行该部分以测试月份等。

您需要扩展您的case $#处理以允许 1 个参数,假定为一个月值。

我希望这有帮助。

于 2011-11-29T21:46:22.360 回答