6

我开始学习标准 ML 和编程语言课程。

在第一个作业中,我尝试编写一个函数,该函数is_older接受两个日期并计算为trueor false。它评估true第一个参数是否是第二个参数之前的日期(如果两个日期相同,则结果为false.)。

所以我写了以下代码:

fun is_older(first: int * int * int, second: int * int * int) =
  if(#1 first = #1 second andalso #2 first = #2 second andalso #3 first = #3 second) then false
  else if (#1 first < #1 second) then true
  else if (#1 first = #1 second andalso #2 first < #2 second) then true
  else if (#1 first = #1 second andalso #2 first = #2 second andalso #3 first < #3 second) then true
  else false

代码工作正常,但看起来很难看。

如何以功能样式重写此代码?

4

3 回答 3

13

两个建议:

  • 使用模式匹配来分解元组。
  • 当构造返回布尔值时,使用布尔运算符(andalsoorelse等) 。if/else

更易读的版本:

(* Compare two dates in the form of (year, month, day) *)
fun is_older((y1, m1, d1), (y2, m2, d2)) =
  y1 < y2 orelse (y1 = y2 andalso m1 < m2) 
  orelse (y1 = y2 andalso m1 = m2 andalso d1 < d2)
于 2013-01-17T09:01:08.060 回答
9

一般来说,当你在表格上有东西时

if b then
  true
else
  false

你应该用 just 交换它b,因为它看起来是一样的。pad 提供的解决方案可能也是我的解决方案,因为它又好又短。

然而,当你最终得到那些讨厌的/嵌套的 if-then-else,并且你没有返回简单的东西(例如,true/false 或数字)时,那么你应该考虑使用 case。您的函数不是使用的主要候选者,但是我希望下面仍然显示这个想法(您可以轻松地构建那些嵌套 if 的结构)

fun is_older((y1, m1, d1), (y2, m2, d2)) =
    case (Int.compare(y1,y2), Int.compare(m1,m2), Int.compare(d1, d2)) of
      (LESS , _    , _   ) => true
    | (EQUAL, LESS , _   ) => true
    | (EQUAL, EQUAL, LESS) => true
    | _ => false
于 2013-01-17T17:48:46.967 回答
1
fun is_older((yr1 : int , mo1 : int , dt1 : int), (yr2 : int , mo2 : int , dt2 : int )) =
  yr1 < yr2 orelse (yr1 = yr2 andalso mo1 < mo2) 
  orelse (yr1 = yr2 andalso mo1 = mo2 andalso dt1 < dt2)
于 2013-01-24T22:06:47.490 回答